source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): current_pedalboard = self.controller(CurrentController).pedalboard if current_pedalboard is None: self.log('Not exists any current pedalboard.') self.log('Use CurrentController to set the current pedalboard') else: self.log('Load current pedalboard - "{}"', current_pedalboard.name) self.mod_host.pedalboard = current_pedalboard for component in self.components: component.init() self.log('Load component - {}', component.__class__.__name__) self.log('Components loaded') atexit.register(self.stop)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n current_pedalboard = self.controller(CurrentController).pedalboard\n if current_pedalboard is None:\n self.log('Not exists any current pedalboard.')\n self.log('Use CurrentController to set the current pedalboard')\n else:\n self.log('Load current pedalboard - \"{}\"', current_pedalboard.name)\n self.mod_host.pedalboard = current_pedalboard\n for component in self.components:\n component.init()\n self.log('Load component - {}', component.__class__.__name__)\n self.log('Components loaded')\n atexit.register(self.stop)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): for component in self.components: component.close() self.log('Stopping component - {}', component.__class__.__name__) for controller in self.controllers.values(): controller.close() self.log('Stopping controller - {}', controller.__class__.__name__) atexit.unregister(self.stop)
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for component in self.components:\n component.close()\n self.log('Stopping component - {}', component.__class__.__name__)\n for controller in self.controllers.values():\n controller.close()\n self.log('Stopping controller - {}', controller.__class__.__name__)\n atexit.unregister(self.stop)\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(value, scale): scales = {'seconds': lambda x: x, 'minutes': lambda x: x * 60, 'hours': lambda x: x * 60 * 60, 'days': lambda x: x * 60 * 60 * 24, 'weeks': lambda x: x * 60 * 60 * 24 * 7, 'months': lambda x: x * 60 * 60 * 24 * 30, 'years': lambda x: x * 60 * 60 * 24 * 365} return scales[scale](value)
get_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, scale):\n scales = {'seconds': lambda x: x, 'minutes': lambda x: x * 60, 'hours':\n lambda x: x * 60 * 60, 'days': lambda x: x * 60 * 60 * 24, 'weeks':\n lambda x: x * 60 * 60 * 24 * 7, 'months': lambda x: x * 60 * 60 * \n 24 * 30, 'years': lambda x: x * 60 * 60 * 24 * 365}\n return scales[scale](value)\n", "role": "user" }, { "content": "get_seconds", "role": "assistant" } ]
def x(mapped_class, geom_attr): col = class_mapper(mapped_class).get_property(geom_attr).columns[0] return col.type.srid
get_col_epsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mapped_class, geom_attr):\n col = class_mapper(mapped_class).get_property(geom_attr).columns[0]\n return col.type.srid\n", "role": "user" }, { "content": "get_col_epsg", "role": "assistant" } ]
def x(request, mapped_class, geom_attr): tolerance = float(request.params.get('tolerance', 0.0)) epsg = None if 'epsg' in request.params: epsg = int(request.params['epsg']) box = request.params.get('bbox') shape = None if box is not None: box = [float(x) for x in box.split(',')] shape = Polygon(((box[0], box[1]), (box[0], box[3]), (box[2], box[3 ]), (box[2], box[1]), (box[0], box[1]))) elif 'lon' in request.params and 'lat' in request.params: shape = Point(float(request.params['lon']), float(request.params[ 'lat'])) elif 'geometry' in request.params: shape = loads(request.params['geometry'], object_hook=GeoJSON. to_instance) shape = asShape(shape) if shape is None: return None column_epsg = _get_col_epsg(mapped_class, geom_attr) geom_attr = getattr(mapped_class, geom_attr) epsg = column_epsg if epsg is None else epsg if epsg != column_epsg: geom_attr = func.ST_Transform(geom_attr, epsg) geometry = from_shape(shape, srid=epsg) return func.ST_DWITHIN(geom_attr, geometry, tolerance)
create_geom_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, mapped_class, geom_attr):\n tolerance = float(request.params.get('tolerance', 0.0))\n epsg = None\n if 'epsg' in request.params:\n epsg = int(request.params['epsg'])\n box = request.params.get('bbox')\n shape = None\n if box is not None:\n box = [float(x) for x in box.split(',')]\n shape = Polygon(((box[0], box[1]), (box[0], box[3]), (box[2], box[3\n ]), (box[2], box[1]), (box[0], box[1])))\n elif 'lon' in request.params and 'lat' in request.params:\n shape = Point(float(request.params['lon']), float(request.params[\n 'lat']))\n elif 'geometry' in request.params:\n shape = loads(request.params['geometry'], object_hook=GeoJSON.\n to_instance)\n shape = asShape(shape)\n if shape is None:\n return None\n column_epsg = _get_col_epsg(mapped_class, geom_attr)\n geom_attr = getattr(mapped_class, geom_attr)\n epsg = column_epsg if epsg is None else epsg\n if epsg != column_epsg:\n geom_attr = func.ST_Transform(geom_attr, epsg)\n geometry = from_shape(shape, srid=epsg)\n return func.ST_DWITHIN(geom_attr, geometry, tolerance)\n", "role": "user" }, { "content": "create_geom_filter", "role": "assistant" } ]
def x(request, mapped_class): mapping = {'eq': '__eq__', 'ne': '__ne__', 'lt': '__lt__', 'lte': '__le__', 'gt': '__gt__', 'gte': '__ge__', 'like': 'like', 'ilike': 'ilike'} filters = [] if 'queryable' in request.params: queryable = request.params['queryable'].split(',') for k in request.params: if len(request.params[k]) <= 0 or '__' not in k: continue col, op = k.split('__') if col not in queryable or op not in mapping: continue column = getattr(mapped_class, col) f = getattr(column, mapping[op])(request.params[k]) filters.append(f) return and_(*filters) if len(filters) > 0 else None
create_attr_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, mapped_class):\n mapping = {'eq': '__eq__', 'ne': '__ne__', 'lt': '__lt__', 'lte':\n '__le__', 'gt': '__gt__', 'gte': '__ge__', 'like': 'like', 'ilike':\n 'ilike'}\n filters = []\n if 'queryable' in request.params:\n queryable = request.params['queryable'].split(',')\n for k in request.params:\n if len(request.params[k]) <= 0 or '__' not in k:\n continue\n col, op = k.split('__')\n if col not in queryable or op not in mapping:\n continue\n column = getattr(mapped_class, col)\n f = getattr(column, mapping[op])(request.params[k])\n filters.append(f)\n return and_(*filters) if len(filters) > 0 else None\n", "role": "user" }, { "content": "create_attr_filter", "role": "assistant" } ]
def x(request, mapped_class, geom_attr, **kwargs): attr_filter = create_attr_filter(request, mapped_class) geom_filter = create_geom_filter(request, mapped_class, geom_attr, **kwargs ) if geom_filter is None and attr_filter is None: return None if geom_filter is None: return attr_filter if attr_filter is None: return geom_filter return and_(geom_filter, attr_filter)
create_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, mapped_class, geom_attr, **kwargs):\n attr_filter = create_attr_filter(request, mapped_class)\n geom_filter = create_geom_filter(request, mapped_class, geom_attr, **kwargs\n )\n if geom_filter is None and attr_filter is None:\n return None\n if geom_filter is None:\n return attr_filter\n if attr_filter is None:\n return geom_filter\n return and_(geom_filter, attr_filter)\n", "role": "user" }, { "content": "create_filter", "role": "assistant" } ]
def x(self, feature, request): if 'attrs' in request.params: attrs = request.params['attrs'].split(',') props = feature.properties new_props = {} for name in attrs: if name in props: new_props[name] = props[name] feature.properties = new_props if asbool(request.params.get('no_geom', False)): feature.geometry = None return feature
filter_attrs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, feature, request):\n if 'attrs' in request.params:\n attrs = request.params['attrs'].split(',')\n props = feature.properties\n new_props = {}\n for name in attrs:\n if name in props:\n new_props[name] = props[name]\n feature.properties = new_props\n if asbool(request.params.get('no_geom', False)):\n feature.geometry = None\n return feature\n", "role": "user" }, { "content": "filter_attrs", "role": "assistant" } ]
def x(self, request): attr = request.params.get('sort', request.params.get('order_by')) if attr is None or not hasattr(self.mapped_class, attr): return None if request.params.get('dir', '').upper() == 'DESC': return desc(getattr(self.mapped_class, attr)) else: return asc(getattr(self.mapped_class, attr))
get_order_by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n attr = request.params.get('sort', request.params.get('order_by'))\n if attr is None or not hasattr(self.mapped_class, attr):\n return None\n if request.params.get('dir', '').upper() == 'DESC':\n return desc(getattr(self.mapped_class, attr))\n else:\n return asc(getattr(self.mapped_class, attr))\n", "role": "user" }, { "content": "get_order_by", "role": "assistant" } ]
def x(self, request, filter=None): limit = None offset = None if 'maxfeatures' in request.params: limit = int(request.params['maxfeatures']) if 'limit' in request.params: limit = int(request.params['limit']) if 'offset' in request.params: offset = int(request.params['offset']) if filter is None: filter = create_filter(request, self.mapped_class, self.geom_attr) query = self.Session().query(self.mapped_class) if filter is not None: query = query.filter(filter) order_by = self._get_order_by(request) if order_by is not None: query = query.order_by(order_by) query = query.limit(limit).offset(offset) return query.all()
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, filter=None):\n limit = None\n offset = None\n if 'maxfeatures' in request.params:\n limit = int(request.params['maxfeatures'])\n if 'limit' in request.params:\n limit = int(request.params['limit'])\n if 'offset' in request.params:\n offset = int(request.params['offset'])\n if filter is None:\n filter = create_filter(request, self.mapped_class, self.geom_attr)\n query = self.Session().query(self.mapped_class)\n if filter is not None:\n query = query.filter(filter)\n order_by = self._get_order_by(request)\n if order_by is not None:\n query = query.order_by(order_by)\n query = query.limit(limit).offset(offset)\n return query.all()\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(self, request, filter=None): if filter is None: filter = create_filter(request, self.mapped_class, self.geom_attr) query = self.Session().query(self.mapped_class) if filter is not None: query = query.filter(filter) return query.count()
count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, filter=None):\n if filter is None:\n filter = create_filter(request, self.mapped_class, self.geom_attr)\n query = self.Session().query(self.mapped_class)\n if filter is not None:\n query = query.filter(filter)\n return query.count()\n", "role": "user" }, { "content": "count", "role": "assistant" } ]
def x(self, request, filter=None, id=None): ret = None if id is not None: o = self.Session().query(self.mapped_class).get(id) if o is None: return HTTPNotFound() ret = self._filter_attrs(o.__geo_interface__, request) else: objs = self._query(request, filter) ret = FeatureCollection([self._filter_attrs(o.__geo_interface__, request) for o in objs if o is not None]) return ret
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, filter=None, id=None):\n ret = None\n if id is not None:\n o = self.Session().query(self.mapped_class).get(id)\n if o is None:\n return HTTPNotFound()\n ret = self._filter_attrs(o.__geo_interface__, request)\n else:\n objs = self._query(request, filter)\n ret = FeatureCollection([self._filter_attrs(o.__geo_interface__,\n request) for o in objs if o is not None])\n return ret\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self, request): if self.readonly: return HTTPMethodNotAllowed(headers={'Allow': 'GET, HEAD'}) collection = loads(request.body, object_hook=GeoJSON.to_instance) if not isinstance(collection, FeatureCollection): return HTTPBadRequest() session = self.Session() objects = [] for feature in collection.features: create = False obj = None if hasattr(feature, 'id') and feature.id is not None: obj = session.query(self.mapped_class).get(feature.id) if self.before_create is not None: self.before_create(request, feature, obj) if obj is None: obj = self.mapped_class(feature) create = True else: obj.__update__(feature) if create: session.add(obj) objects.append(obj) session.flush() collection = FeatureCollection(objects) if len(objects) > 0 else None request.response.status_int = 201 return collection
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n if self.readonly:\n return HTTPMethodNotAllowed(headers={'Allow': 'GET, HEAD'})\n collection = loads(request.body, object_hook=GeoJSON.to_instance)\n if not isinstance(collection, FeatureCollection):\n return HTTPBadRequest()\n session = self.Session()\n objects = []\n for feature in collection.features:\n create = False\n obj = None\n if hasattr(feature, 'id') and feature.id is not None:\n obj = session.query(self.mapped_class).get(feature.id)\n if self.before_create is not None:\n self.before_create(request, feature, obj)\n if obj is None:\n obj = self.mapped_class(feature)\n create = True\n else:\n obj.__update__(feature)\n if create:\n session.add(obj)\n objects.append(obj)\n session.flush()\n collection = FeatureCollection(objects) if len(objects) > 0 else None\n request.response.status_int = 201\n return collection\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, request, id): if self.readonly: return HTTPMethodNotAllowed(headers={'Allow': 'GET, HEAD'}) session = self.Session() obj = session.query(self.mapped_class).get(id) if obj is None: return HTTPNotFound() feature = loads(request.body, object_hook=GeoJSON.to_instance) if not isinstance(feature, Feature): return HTTPBadRequest() if self.before_update is not None: self.before_update(request, feature, obj) obj.__update__(feature) session.flush() request.response.status_int = 200 return obj
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, id):\n if self.readonly:\n return HTTPMethodNotAllowed(headers={'Allow': 'GET, HEAD'})\n session = self.Session()\n obj = session.query(self.mapped_class).get(id)\n if obj is None:\n return HTTPNotFound()\n feature = loads(request.body, object_hook=GeoJSON.to_instance)\n if not isinstance(feature, Feature):\n return HTTPBadRequest()\n if self.before_update is not None:\n self.before_update(request, feature, obj)\n obj.__update__(feature)\n session.flush()\n request.response.status_int = 200\n return obj\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, request, id): if self.readonly: return HTTPMethodNotAllowed(headers={'Allow': 'GET, HEAD'}) session = self.Session() obj = session.query(self.mapped_class).get(id) if obj is None: return HTTPNotFound() if self.before_delete is not None: self.before_delete(request, obj) session.delete(obj) return Response(status_int=204)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, id):\n if self.readonly:\n return HTTPMethodNotAllowed(headers={'Allow': 'GET, HEAD'})\n session = self.Session()\n obj = session.query(self.mapped_class).get(id)\n if obj is None:\n return HTTPNotFound()\n if self.before_delete is not None:\n self.before_delete(request, obj)\n session.delete(obj)\n return Response(status_int=204)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, text, tier): store = self._stores.get(tier, None) if not store: store = AutoSplittingFile(self._dir, self._lines_per_store, self. _file_name, tier) self._stores[tier] = store store.write(text)
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text, tier):\n store = self._stores.get(tier, None)\n if not store:\n store = AutoSplittingFile(self._dir, self._lines_per_store, self.\n _file_name, tier)\n self._stores[tier] = store\n store.write(text)\n", "role": "user" }, { "content": "store", "role": "assistant" } ]
def x(time, _type=UUIDType.RANDOM): return timeuuid_from_time(int(time) + UUID_TIME_OFFSET, type=_type)
uuid_from_kronos_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(time, _type=UUIDType.RANDOM):\n return timeuuid_from_time(int(time) + UUID_TIME_OFFSET, type=_type)\n", "role": "user" }, { "content": "uuid_from_kronos_time", "role": "assistant" } ]
def x(self, technology): if technology == PluginTechnology.LV2 or str(technology).upper( ) == PluginTechnology.LV2.value.upper(): return self.lv2_builder.all else: return []
by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, technology):\n if technology == PluginTechnology.LV2 or str(technology).upper(\n ) == PluginTechnology.LV2.value.upper():\n return self.lv2_builder.all\n else:\n return []\n", "role": "user" }, { "content": "by", "role": "assistant" } ]
def x(self): plugins_data = self.lv2_builder.lv2_plugins_data() self._dao.save(plugins_data)
reload_lv2_plugins_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n plugins_data = self.lv2_builder.lv2_plugins_data()\n self._dao.save(plugins_data)\n", "role": "user" }, { "content": "reload_lv2_plugins_data", "role": "assistant" } ]
def x(self): result = defaultdict(set) for k, val in self.items(): result[val].add(k) return MultiDict(dict(result))
invert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = defaultdict(set)\n for k, val in self.items():\n result[val].add(k)\n return MultiDict(dict(result))\n", "role": "user" }, { "content": "invert", "role": "assistant" } ]
def x(values, secret_key, url): data = urllib.urlencode(values) request = Request.from_values(content_length=len(data), input_stream= StringIO(data), content_type='application/x-www-form-urlencoded', method='POST') values['auth_token'] = create_token(secret_key, dict(request.form)) data = urllib.urlencode(values) req = urllib2.Request(url, data) response = urllib2.urlopen(req) return json.loads(response.read())
send_with_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, secret_key, url):\n data = urllib.urlencode(values)\n request = Request.from_values(content_length=len(data), input_stream=\n StringIO(data), content_type='application/x-www-form-urlencoded',\n method='POST')\n values['auth_token'] = create_token(secret_key, dict(request.form))\n data = urllib.urlencode(values)\n req = urllib2.Request(url, data)\n response = urllib2.urlopen(req)\n return json.loads(response.read())\n", "role": "user" }, { "content": "send_with_auth", "role": "assistant" } ]
def x(code, interval, secret_key=None, url=None): if not secret_key: secret_key = default_key() if not url: url = default_url() url = '%s/schedule' % url values = {'interval': interval, 'code': code} return _send_with_auth(values, secret_key, url)
schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(code, interval, secret_key=None, url=None):\n if not secret_key:\n secret_key = default_key()\n if not url:\n url = default_url()\n url = '%s/schedule' % url\n values = {'interval': interval, 'code': code}\n return _send_with_auth(values, secret_key, url)\n", "role": "user" }, { "content": "schedule", "role": "assistant" } ]
def x(task_id, secret_key=None, url=None): if not secret_key: secret_key = default_key() if not url: url = default_url() url = '%s/cancel' % url values = {'id': task_id} return _send_with_auth(values, secret_key, url)
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(task_id, secret_key=None, url=None):\n if not secret_key:\n secret_key = default_key()\n if not url:\n url = default_url()\n url = '%s/cancel' % url\n values = {'id': task_id}\n return _send_with_auth(values, secret_key, url)\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(f, title=None): f.seek(38) nparts = struct.unpack('<H', f.read(2))[0] foff = 45 if title is None: data = [] for _ in range(nparts): d = read_reg_file(f, foff) data.append(d) foff = f.tell() + 1 else: for _ in range(nparts): d = read_reg_file(f, foff) if d.get('Title') == title: data = d break foff = f.tell() + 1 else: data = {} return data
read_multireg_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, title=None):\n f.seek(38)\n nparts = struct.unpack('<H', f.read(2))[0]\n foff = 45\n if title is None:\n data = []\n for _ in range(nparts):\n d = read_reg_file(f, foff)\n data.append(d)\n foff = f.tell() + 1\n else:\n for _ in range(nparts):\n d = read_reg_file(f, foff)\n if d.get('Title') == title:\n data = d\n break\n foff = f.tell() + 1\n else:\n data = {}\n return data\n", "role": "user" }, { "content": "read_multireg_file", "role": "assistant" } ]
def x(f, foff=45): def x(st): return struct.unpack(st, f.read(struct.calcsize(st))) f.seek(25) if f.read(1) != b'A': return {} f.seek(foff) nrecs = rd('<I')[0] rec_tab = [rd('<HHIII') for n in range(nrecs)] names = {} f.seek(foff + 20 * nrecs + 4) for r in rec_tab: d = f.read(r[2]) if r[1] == 1539: cd = struct.unpack('<HIII21sI', d) names[cd[5]] = cd[4].decode('iso8859').strip('\x00') elif r[1] == 32769 or r[1] == 32771: names[r[4]] = d[:-1].decode('iso8859') elif r[1] == 32774: names[r[4]] = d[2:-1].decode('iso8859') elif r[1] == 32770: names[r[4]] = np.frombuffer(d, dtype=np.uint32, offset=4) data = {} f.seek(foff + 20 * nrecs + 4) for r in rec_tab: d = f.read(r[2]) if r[1] == 1538: if len(d) == 43: cd = struct.unpack('<HIII21sd', d) data[cd[4].decode('iso8859').strip('\x00')] = cd[5] else: pass elif r[1] == 1537: n = d[14:30].split(b'\x00')[0].decode('iso8859') data[n] = names.get(struct.unpack('<I', d[35:39])[0], '') elif r[1] == 1793: nrow = struct.unpack('<H', d[4:6])[0] ncol = struct.unpack('<H', d[16:18])[0] if ncol != 0: cols = [struct.unpack('<16sHHHHHI', d[20 + 30 * i:50 + 30 * i]) for i in range(ncol)] colnames = [c[0].split(b'\x00')[0].decode('iso8859') for c in cols] rty2sty = {(1): 'H', (3): 'I', (4): 'f', (5): 'H', (7): 'H', (8): 'd', (11): 'H', (12): 'H', (13): 'I', (14): 'I', ( 16): 'H'} coltype = '<' + ''.join([rty2sty.get(c[3], str(c[2]) + 's') for c in cols]) lencol = struct.calcsize(coltype) tab = [] for i in reversed(range(2, nrow + 2)): rawrow = struct.unpack(coltype, d[-i * lencol:(1 - i) * lencol]) row = [] for j, p in enumerate(rawrow): if cols[j][3] == 3: row.append(names.get(p, str(p))) else: row.append(p) tab.append(row) data[names[r[4]]] = [colnames, tab] elif r[1] == 1281 or r[1] == 1283: fm = '<HHBIIhIdII12shIddQQB8sII12shIddQQB8s' m = struct.unpack(fm, d) nrecs = m[4] x_arr = m[14] * names.get(m[9], np.arange(nrecs - 1)) y_arr = m[25] * names.get(m[20]) y_units = names.get(m[19], '') if y_units == 'bar': y_arr *= 0.1 data['Trace'] = Trace(y_arr, x_arr, name='') return data
read_reg_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, foff=45):\n\n def x(st):\n return struct.unpack(st, f.read(struct.calcsize(st)))\n f.seek(25)\n if f.read(1) != b'A':\n return {}\n f.seek(foff)\n nrecs = rd('<I')[0]\n rec_tab = [rd('<HHIII') for n in range(nrecs)]\n names = {}\n f.seek(foff + 20 * nrecs + 4)\n for r in rec_tab:\n d = f.read(r[2])\n if r[1] == 1539:\n cd = struct.unpack('<HIII21sI', d)\n names[cd[5]] = cd[4].decode('iso8859').strip('\\x00')\n elif r[1] == 32769 or r[1] == 32771:\n names[r[4]] = d[:-1].decode('iso8859')\n elif r[1] == 32774:\n names[r[4]] = d[2:-1].decode('iso8859')\n elif r[1] == 32770:\n names[r[4]] = np.frombuffer(d, dtype=np.uint32, offset=4)\n data = {}\n f.seek(foff + 20 * nrecs + 4)\n for r in rec_tab:\n d = f.read(r[2])\n if r[1] == 1538:\n if len(d) == 43:\n cd = struct.unpack('<HIII21sd', d)\n data[cd[4].decode('iso8859').strip('\\x00')] = cd[5]\n else:\n pass\n elif r[1] == 1537:\n n = d[14:30].split(b'\\x00')[0].decode('iso8859')\n data[n] = names.get(struct.unpack('<I', d[35:39])[0], '')\n elif r[1] == 1793:\n nrow = struct.unpack('<H', d[4:6])[0]\n ncol = struct.unpack('<H', d[16:18])[0]\n if ncol != 0:\n cols = [struct.unpack('<16sHHHHHI', d[20 + 30 * i:50 + 30 *\n i]) for i in range(ncol)]\n colnames = [c[0].split(b'\\x00')[0].decode('iso8859') for c in\n cols]\n rty2sty = {(1): 'H', (3): 'I', (4): 'f', (5): 'H', (7): 'H',\n (8): 'd', (11): 'H', (12): 'H', (13): 'I', (14): 'I', (\n 16): 'H'}\n coltype = '<' + ''.join([rty2sty.get(c[3], str(c[2]) + 's') for\n c in cols])\n lencol = struct.calcsize(coltype)\n tab = []\n for i in reversed(range(2, nrow + 2)):\n rawrow = struct.unpack(coltype, d[-i * lencol:(1 - i) *\n lencol])\n row = []\n for j, p in enumerate(rawrow):\n if cols[j][3] == 3:\n row.append(names.get(p, str(p)))\n else:\n row.append(p)\n tab.append(row)\n data[names[r[4]]] = [colnames, tab]\n elif r[1] == 1281 or r[1] == 1283:\n fm = '<HHBIIhIdII12shIddQQB8sII12shIddQQB8s'\n m = struct.unpack(fm, d)\n nrecs = m[4]\n x_arr = m[14] * names.get(m[9], np.arange(nrecs - 1))\n y_arr = m[25] * names.get(m[20])\n y_units = names.get(m[19], '')\n if y_units == 'bar':\n y_arr *= 0.1\n data['Trace'] = Trace(y_arr, x_arr, name='')\n return data\n", "role": "user" }, { "content": "read_reg_file", "role": "assistant" } ]
def x(cls, session, team_id): return cls('/teams/%d.json' % team_id, singleton=True, session=session)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, team_id):\n return cls('/teams/%d.json' % team_id, singleton=True, session=session)\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(cls, session, team_or_id): if isinstance(team_or_id, Person): team_or_id = team_or_id.id return cls('/teams/%d/members.json' % team_or_id, session=session, out_type=User)
get_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, session, team_or_id):\n if isinstance(team_or_id, Person):\n team_or_id = team_or_id.id\n return cls('/teams/%d/members.json' % team_or_id, session=session,\n out_type=User)\n", "role": "user" }, { "content": "get_members", "role": "assistant" } ]
def x(x): g = re.match('PT(?:(.*)H)?(?:(.*)M)?(?:(.*)S)?', x).groups() return sum(0 if g[i] is None else float(g[i]) * 60.0 ** (1 - i) for i in range(3))
t_to_min
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n g = re.match('PT(?:(.*)H)?(?:(.*)M)?(?:(.*)S)?', x).groups()\n return sum(0 if g[i] is None else float(g[i]) * 60.0 ** (1 - i) for i in\n range(3))\n", "role": "user" }, { "content": "t_to_min", "role": "assistant" } ]
def x(filename, df, info=None, precision='f'): for r in df.values: df.columns pass
write_mzxml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, df, info=None, precision='f'):\n for r in df.values:\n df.columns\n pass\n", "role": "user" }, { "content": "write_mzxml", "role": "assistant" } ]
def x(self, ba, param_groups=None): if ba is None: return [] pgr = ba.find('m:referenceableParamGroupRef', namespaces=self.ns) if pgr is not None and param_groups is not None: q = 'm:referenceableParamGroup[@id="' + pgr.get('ref') + '"]' pg = param_groups.find(q, namespaces=self.ns) else: pg = ba if pg.find('m:cvParam[@accession="MS:1000574"]', namespaces=self.ns ) is not None: compress = True elif pg.find('m:cvParam[@accession="MS:1000576"]', namespaces=self.ns ) is not None: compress = False else: pass if pg.find('m:cvParam[@accession="MS:1000521"]', namespaces=self.ns ) is not None: dtype = 'f' elif pg.find('m:cvParam[@accession="MS:1000523"]', namespaces=self.ns ) is not None: dtype = 'd' else: pass datatext = ba.find('m:binary', namespaces=self.ns).text if compress: rawdata = zlib.decompress(base64.b64decode(datatext)) else: rawdata = base64.b64decode(datatext) return np.fromstring(rawdata, dtype=dtype)
read_binary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ba, param_groups=None):\n if ba is None:\n return []\n pgr = ba.find('m:referenceableParamGroupRef', namespaces=self.ns)\n if pgr is not None and param_groups is not None:\n q = 'm:referenceableParamGroup[@id=\"' + pgr.get('ref') + '\"]'\n pg = param_groups.find(q, namespaces=self.ns)\n else:\n pg = ba\n if pg.find('m:cvParam[@accession=\"MS:1000574\"]', namespaces=self.ns\n ) is not None:\n compress = True\n elif pg.find('m:cvParam[@accession=\"MS:1000576\"]', namespaces=self.ns\n ) is not None:\n compress = False\n else:\n pass\n if pg.find('m:cvParam[@accession=\"MS:1000521\"]', namespaces=self.ns\n ) is not None:\n dtype = 'f'\n elif pg.find('m:cvParam[@accession=\"MS:1000523\"]', namespaces=self.ns\n ) is not None:\n dtype = 'd'\n else:\n pass\n datatext = ba.find('m:binary', namespaces=self.ns).text\n if compress:\n rawdata = zlib.decompress(base64.b64decode(datatext))\n else:\n rawdata = base64.b64decode(datatext)\n return np.fromstring(rawdata, dtype=dtype)\n", "role": "user" }, { "content": "read_binary", "role": "assistant" } ]
def x(): process = psutil.Process(os.getpid()) return '{}MB memory usage'.format(int(process.memory_info().rss / 2 ** 20))
pretty_memory_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n process = psutil.Process(os.getpid())\n return '{}MB memory usage'.format(int(process.memory_info().rss / 2 ** 20))\n", "role": "user" }, { "content": "pretty_memory_info", "role": "assistant" } ]
def x(name: str, expression: Union[type, Callable[[Type[Any]], type]] ) ->Callable[[Callable[..., Any]], Callable[..., Any]]: def x(func): if not hasattr(func, '__dynamic__'): func.__dynamic__ = {name: expression} else: func.__dynamic__[name] = expression return func return decorator
dynamic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name: str, expression: Union[type, Callable[[Type[Any]], type]]\n ) ->Callable[[Callable[..., Any]], Callable[..., Any]]:\n\n def x(func):\n if not hasattr(func, '__dynamic__'):\n func.__dynamic__ = {name: expression}\n else:\n func.__dynamic__[name] = expression\n return func\n return decorator\n", "role": "user" }, { "content": "dynamic", "role": "assistant" } ]
def x(series): df = series.reset_index() df.set_index(series.name, inplace=True) return df[df.columns[0]]
invert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(series):\n df = series.reset_index()\n df.set_index(series.name, inplace=True)\n return df[df.columns[0]]\n", "role": "user" }, { "content": "invert", "role": "assistant" } ]
def x(series): s = df_.split_array_like(series.apply(list).to_frame('column'), 'column')[ 'column'] s.name = series.name return s
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(series):\n s = df_.split_array_like(series.apply(list).to_frame('column'), 'column')[\n 'column']\n s.name = series.name\n return s\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(series1, series2, ignore_order=False, ignore_index=False, all_close= False, _return_reason=False): result = _equals(series1, series2, ignore_order, ignore_index, all_close) if _return_reason: return result else: return result[0]
equals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(series1, series2, ignore_order=False, ignore_index=False, all_close=\n False, _return_reason=False):\n result = _equals(series1, series2, ignore_order, ignore_index, all_close)\n if _return_reason:\n return result\n else:\n return result[0]\n", "role": "user" }, { "content": "equals", "role": "assistant" } ]
def x(actual, expected, ignore_order=False, ignore_index=False, all_close=False ): equals_, reason = equals(actual, expected, ignore_order, ignore_index, all_close, _return_reason=True) assert equals_, '{}\n\n{}\n\n{}'.format(reason, actual.to_string(), expected.to_string())
assert_equals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(actual, expected, ignore_order=False, ignore_index=False, all_close=False\n ):\n equals_, reason = equals(actual, expected, ignore_order, ignore_index,\n all_close, _return_reason=True)\n assert equals_, '{}\\n\\n{}\\n\\n{}'.format(reason, actual.to_string(),\n expected.to_string())\n", "role": "user" }, { "content": "assert_equals", "role": "assistant" } ]
def x(self): Gtk.Application.do_startup(self) gtk_window = Gtk.ApplicationWindow(application=self) gtk_window.set_title('AppKit') webkit_web_view = WebKit.WebView() webkit_web_view.load_uri('http://localhost:' + str(self.port)) screen = Gdk.Screen.get_default() monitor_geometry = screen.get_primary_monitor() monitor_geometry = screen.get_monitor_geometry(monitor_geometry) settings = webkit_web_view.get_settings() settings.set_property('enable-universal-access-from-file-uris', True) settings.set_property('enable-file-access-from-file-uris', True) settings.set_property('default-encoding', 'utf-8') gtk_window.set_default_size(monitor_geometry.width * 1.0 / 2.0, monitor_geometry.height * 3.0 / 5.0) scrollWindow = Gtk.ScrolledWindow() scrollWindow.add(webkit_web_view) gtk_window.add(scrollWindow) gtk_window.connect('delete-event', self._on_gtk_window_destroy) webkit_web_view.connect('notify::title', self._on_notify_title) self.gtk_window = gtk_window self.webkit_web_view = webkit_web_view gtk_window.show_all()
do_startup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n Gtk.Application.do_startup(self)\n gtk_window = Gtk.ApplicationWindow(application=self)\n gtk_window.set_title('AppKit')\n webkit_web_view = WebKit.WebView()\n webkit_web_view.load_uri('http://localhost:' + str(self.port))\n screen = Gdk.Screen.get_default()\n monitor_geometry = screen.get_primary_monitor()\n monitor_geometry = screen.get_monitor_geometry(monitor_geometry)\n settings = webkit_web_view.get_settings()\n settings.set_property('enable-universal-access-from-file-uris', True)\n settings.set_property('enable-file-access-from-file-uris', True)\n settings.set_property('default-encoding', 'utf-8')\n gtk_window.set_default_size(monitor_geometry.width * 1.0 / 2.0, \n monitor_geometry.height * 3.0 / 5.0)\n scrollWindow = Gtk.ScrolledWindow()\n scrollWindow.add(webkit_web_view)\n gtk_window.add(scrollWindow)\n gtk_window.connect('delete-event', self._on_gtk_window_destroy)\n webkit_web_view.connect('notify::title', self._on_notify_title)\n self.gtk_window = gtk_window\n self.webkit_web_view = webkit_web_view\n gtk_window.show_all()\n", "role": "user" }, { "content": "do_startup", "role": "assistant" } ]
def x(self, message, max_length, mentions=None): mention_text = '' mention_length = 0 if mentions: formatted_mentions = ['@{0}'.format(mention) for mention in mentions] mention_text = ' '.join(formatted_mentions) message = '{0} {1}'.format(mention_text, message) mention_length = len(mention_text) + 1 if len(message) <= max_length: return [message] tokens = message.split(' ') indices = [] index = 1 length = len(tokens[0]) while index < len(tokens): if length + 1 + len(tokens[index]) + 4 > max_length: indices.append(index) length = 4 + mention_length + len(tokens[index]) else: length += 1 + len(tokens[index]) index += 1 indices.append(index) messages = [' '.join(tokens[0:indices[0]])] for i in range(1, len(indices)): messages[i - 1] += ' ...' parts = [] if mention_text: parts.append(mention_text) parts.append('...') parts.extend(tokens[indices[i - 1]:indices[i]]) messages.append(' '.join(parts)) return messages
tokenize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, max_length, mentions=None):\n mention_text = ''\n mention_length = 0\n if mentions:\n formatted_mentions = ['@{0}'.format(mention) for mention in mentions]\n mention_text = ' '.join(formatted_mentions)\n message = '{0} {1}'.format(mention_text, message)\n mention_length = len(mention_text) + 1\n if len(message) <= max_length:\n return [message]\n tokens = message.split(' ')\n indices = []\n index = 1\n length = len(tokens[0])\n while index < len(tokens):\n if length + 1 + len(tokens[index]) + 4 > max_length:\n indices.append(index)\n length = 4 + mention_length + len(tokens[index])\n else:\n length += 1 + len(tokens[index])\n index += 1\n indices.append(index)\n messages = [' '.join(tokens[0:indices[0]])]\n for i in range(1, len(indices)):\n messages[i - 1] += ' ...'\n parts = []\n if mention_text:\n parts.append(mention_text)\n parts.append('...')\n parts.extend(tokens[indices[i - 1]:indices[i]])\n messages.append(' '.join(parts))\n return messages\n", "role": "user" }, { "content": "tokenize", "role": "assistant" } ]
def x(self, message, mention_id=None, mentions=[]): messages = self.tokenize(message, self.MESSAGE_LENGTH, mentions) code = 0 for message in messages: if self.dry_run: mention_message = '' if mention_id: mention_message = " to mention_id '{0}'".format(mention_id) logging.info( """Not posting to Twitter because DRY_RUN is set. Would have posted the following message{0}: {1}""" .format(mention_message, message)) else: try: self.twitter.statuses.update(status=message, in_reply_to_status_id=mention_id) except TwitterHTTPError as e: logging.error('Unable to post to twitter: {0}'.format(e)) code = e.response_data['errors'][0]['code'] return code
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, mention_id=None, mentions=[]):\n messages = self.tokenize(message, self.MESSAGE_LENGTH, mentions)\n code = 0\n for message in messages:\n if self.dry_run:\n mention_message = ''\n if mention_id:\n mention_message = \" to mention_id '{0}'\".format(mention_id)\n logging.info(\n \"\"\"Not posting to Twitter because DRY_RUN is set. Would have posted the following message{0}:\n{1}\"\"\"\n .format(mention_message, message))\n else:\n try:\n self.twitter.statuses.update(status=message,\n in_reply_to_status_id=mention_id)\n except TwitterHTTPError as e:\n logging.error('Unable to post to twitter: {0}'.format(e))\n code = e.response_data['errors'][0]['code']\n return code\n", "role": "user" }, { "content": "send_message", "role": "assistant" } ]
def x(self, mention): mention_list = [user['screen_name'] for user in mention['entities'][ 'user_mentions']] mention_list.append(mention['user']['screen_name']) reply_to_names = set(mention_list) reply_to_names.discard(self.screen_name) return sorted(list(reply_to_names))
get_reply_to_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mention):\n mention_list = [user['screen_name'] for user in mention['entities'][\n 'user_mentions']]\n mention_list.append(mention['user']['screen_name'])\n reply_to_names = set(mention_list)\n reply_to_names.discard(self.screen_name)\n return sorted(list(reply_to_names))\n", "role": "user" }, { "content": "get_reply_to_names", "role": "assistant" } ]
def x(self): since_id = self.since_id.get() kwargs = {'count': 200} if since_id: kwargs['since_id'] = since_id mentions_list = [] try: mentions_list = self.twitter.statuses.mentions_timeline(**kwargs) except TwitterHTTPError as e: logging.error('Unable to retrieve mentions from twitter: {0}'.format(e) ) logging.info('Retrieved {0} mentions'.format(len(mentions_list))) mentions_processed = 0 for mention in reversed(mentions_list): mention_id = mention['id'] reply_to_names = self.get_reply_to_names(mention) error_code = self.DUPLICATE_CODE tries = 0 message = '' while error_code == self.DUPLICATE_CODE: if tries > 10: logging.error('Unable to post duplicate message to {0}: {1}' .format(reply_to_names, message)) break elif tries == 10: message = 'No unique messages found.' else: message = self.messages.create(mention, self.MESSAGE_LENGTH) error_code = self.send_message(message, mention_id, reply_to_names) tries += 1 mentions_processed += 1 self.since_id.set('{0}'.format(mention_id)) return mentions_processed
reply_to_mentions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n since_id = self.since_id.get()\n kwargs = {'count': 200}\n if since_id:\n kwargs['since_id'] = since_id\n mentions_list = []\n try:\n mentions_list = self.twitter.statuses.mentions_timeline(**kwargs)\n except TwitterHTTPError as e:\n logging.error('Unable to retrieve mentions from twitter: {0}'.format(e)\n )\n logging.info('Retrieved {0} mentions'.format(len(mentions_list)))\n mentions_processed = 0\n for mention in reversed(mentions_list):\n mention_id = mention['id']\n reply_to_names = self.get_reply_to_names(mention)\n error_code = self.DUPLICATE_CODE\n tries = 0\n message = ''\n while error_code == self.DUPLICATE_CODE:\n if tries > 10:\n logging.error('Unable to post duplicate message to {0}: {1}'\n .format(reply_to_names, message))\n break\n elif tries == 10:\n message = 'No unique messages found.'\n else:\n message = self.messages.create(mention, self.MESSAGE_LENGTH)\n error_code = self.send_message(message, mention_id, reply_to_names)\n tries += 1\n mentions_processed += 1\n self.since_id.set('{0}'.format(mention_id))\n return mentions_processed\n", "role": "user" }, { "content": "reply_to_mentions", "role": "assistant" } ]
def x(self, settings, command): bot = TwitterBot(settings) result = 1 if command == 'post_message': result = bot.post_message() elif command == 'reply_to_mentions': result = bot.reply_to_mentions() else: print("Command must be either 'post_message' or 'reply_to_mentions'") return result
go
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, settings, command):\n bot = TwitterBot(settings)\n result = 1\n if command == 'post_message':\n result = bot.post_message()\n elif command == 'reply_to_mentions':\n result = bot.reply_to_mentions()\n else:\n print(\"Command must be either 'post_message' or 'reply_to_mentions'\")\n return result\n", "role": "user" }, { "content": "go", "role": "assistant" } ]
def x(zdata): data = zlib.decompress(zdata) lc = struct.unpack('<L', data[0:4])[0] li = struct.unpack('<L', data[4:8])[0] c = json.loads(data[8:8 + lc].decode('utf-8')) i = np.fromstring(data[8 + lc:8 + lc + li], dtype=np.float32) v = np.fromstring(data[8 + lc + li:], dtype=np.float64) if len(c) == 1: return Trace(v, i, name=c[0]) else: return Chromatogram(v.reshape(len(i), len(c)), i, c)
decompress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(zdata):\n data = zlib.decompress(zdata)\n lc = struct.unpack('<L', data[0:4])[0]\n li = struct.unpack('<L', data[4:8])[0]\n c = json.loads(data[8:8 + lc].decode('utf-8'))\n i = np.fromstring(data[8 + lc:8 + lc + li], dtype=np.float32)\n v = np.fromstring(data[8 + lc + li:], dtype=np.float64)\n if len(c) == 1:\n return Trace(v, i, name=c[0])\n else:\n return Chromatogram(v.reshape(len(i), len(c)), i, c)\n", "role": "user" }, { "content": "decompress", "role": "assistant" } ]
def x(df, twin=None): if twin is None: return 0, df.shape[0] tme = df.index if twin[0] is None: st_idx = 0 else: st_idx = np.abs(tme - twin[0]).argmin() if twin[1] is None: en_idx = df.shape[0] else: en_idx = np.abs(tme - twin[1]).argmin() + 1 return st_idx, en_idx
slice_idxs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, twin=None):\n if twin is None:\n return 0, df.shape[0]\n tme = df.index\n if twin[0] is None:\n st_idx = 0\n else:\n st_idx = np.abs(tme - twin[0]).argmin()\n if twin[1] is None:\n en_idx = df.shape[0]\n else:\n en_idx = np.abs(tme - twin[1]).argmin() + 1\n return st_idx, en_idx\n", "role": "user" }, { "content": "slice_idxs", "role": "assistant" } ]
def x(self, f, ts, reverse=False): if isinstance(ts, (int, float)): d = ts * np.ones(self.shape[0]) elif ts is None: d = None elif np.array_equal(ts.index, self.index): d = ts.values else: d = ts._retime(self.index) if not reverse: new_data = np.apply_along_axis(f, 0, self.values, d) else: new_data = np.apply_along_axis(f, 0, d, self.values) return Trace(new_data, self.index, name=self.name)
apply_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f, ts, reverse=False):\n if isinstance(ts, (int, float)):\n d = ts * np.ones(self.shape[0])\n elif ts is None:\n d = None\n elif np.array_equal(ts.index, self.index):\n d = ts.values\n else:\n d = ts._retime(self.index)\n if not reverse:\n new_data = np.apply_along_axis(f, 0, self.values, d)\n else:\n new_data = np.apply_along_axis(f, 0, d, self.values)\n return Trace(new_data, self.index, name=self.name)\n", "role": "user" }, { "content": "apply_data", "role": "assistant" } ]
def x(self): traces = [] for v, c in zip(self.values.T, self.columns): traces.append(Trace(v, self.index, name=c)) return traces
traces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n traces = []\n for v, c in zip(self.values.T, self.columns):\n traces.append(Trace(v, self.index, name=c))\n return traces\n", "role": "user" }, { "content": "traces", "role": "assistant" } ]
def x(self, style='heatmap', legend=False, cmap=None, ax=None): if ax is None: import matplotlib.pyplot as plt ax = plt.gca() if style == 'heatmap': ions = self.columns ext = self.index[0], self.index[-1], min(ions), max(ions) grid = self.values[:, np.argsort(self.columns)].transpose() if isinstance(self.values, scipy.sparse.spmatrix): grid = grid.toarray() img = ax.imshow(grid, origin='lower', aspect='auto', extent=ext, cmap=cmap) if legend: ax.figure.colorbar(img) elif style == 'colors': from aston.peak.peak_models import gaussian from matplotlib.colors import ListedColormap wvs = np.genfromtxt(np.array(self.columns).astype(bytes)) vis_filt = np.zeros((3, len(wvs))) vis_filt[0] = 1.065 * gaussian(wvs, x=595.8, w=33.33 ) + 0.366 * gaussian(wvs, x=446.8, w=19.44) vis_filt[1] = 1.014 * gaussian(np.log(wvs), x=np.log(556.3), w=0.075) vis_filt[2] = 1.839 * gaussian(np.log(wvs), x=np.log(449.8), w=0.051) if isinstance(self.values, scipy.sparse.spmatrix): xyz = np.dot(self.values.toarray(), vis_filt.T) else: xyz = np.dot(self.values.copy(), vis_filt.T) xyz_rgb = [[3.2404542, -1.5371385, -0.4985314], [-0.969266, 1.8760108, 0.041556], [0.0556434, -0.2040259, 1.0572252]] xyz_rgb = np.array(xyz_rgb) rgb = np.dot(xyz_rgb, xyz.T).T rgb[rgb < 0] = 0 rgb /= np.max(rgb) rgb = 1 - np.abs(rgb) cmask = np.meshgrid(np.arange(rgb.shape[0]), 0)[0] ax.imshow(cmask, cmap=ListedColormap(rgb), aspect='auto', extent=( self.index[0], self.index[-1], 0, 1)) ax.yaxis.set_ticks([]) else: if cmap is not None: color = cmap(0, 1) else: color = 'k' self.trace().plot(color=color, ax=ax)
plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, style='heatmap', legend=False, cmap=None, ax=None):\n if ax is None:\n import matplotlib.pyplot as plt\n ax = plt.gca()\n if style == 'heatmap':\n ions = self.columns\n ext = self.index[0], self.index[-1], min(ions), max(ions)\n grid = self.values[:, np.argsort(self.columns)].transpose()\n if isinstance(self.values, scipy.sparse.spmatrix):\n grid = grid.toarray()\n img = ax.imshow(grid, origin='lower', aspect='auto', extent=ext,\n cmap=cmap)\n if legend:\n ax.figure.colorbar(img)\n elif style == 'colors':\n from aston.peak.peak_models import gaussian\n from matplotlib.colors import ListedColormap\n wvs = np.genfromtxt(np.array(self.columns).astype(bytes))\n vis_filt = np.zeros((3, len(wvs)))\n vis_filt[0] = 1.065 * gaussian(wvs, x=595.8, w=33.33\n ) + 0.366 * gaussian(wvs, x=446.8, w=19.44)\n vis_filt[1] = 1.014 * gaussian(np.log(wvs), x=np.log(556.3), w=0.075)\n vis_filt[2] = 1.839 * gaussian(np.log(wvs), x=np.log(449.8), w=0.051)\n if isinstance(self.values, scipy.sparse.spmatrix):\n xyz = np.dot(self.values.toarray(), vis_filt.T)\n else:\n xyz = np.dot(self.values.copy(), vis_filt.T)\n xyz_rgb = [[3.2404542, -1.5371385, -0.4985314], [-0.969266, \n 1.8760108, 0.041556], [0.0556434, -0.2040259, 1.0572252]]\n xyz_rgb = np.array(xyz_rgb)\n rgb = np.dot(xyz_rgb, xyz.T).T\n rgb[rgb < 0] = 0\n rgb /= np.max(rgb)\n rgb = 1 - np.abs(rgb)\n cmask = np.meshgrid(np.arange(rgb.shape[0]), 0)[0]\n ax.imshow(cmask, cmap=ListedColormap(rgb), aspect='auto', extent=(\n self.index[0], self.index[-1], 0, 1))\n ax.yaxis.set_ticks([])\n else:\n if cmap is not None:\n color = cmap(0, 1)\n else:\n color = 'k'\n self.trace().plot(color=color, ax=ax)\n", "role": "user" }, { "content": "plot", "role": "assistant" } ]
def x(self, filename, speed=60, cutoff=50): def x(t): return (t - self.index[0]) / speed wav_len = int(to_t(self.index[-1]) * 60 * 44100) wav = np.zeros(wav_len) tmask = np.linspace(0, 1, self.shape[0]) min_hz, max_hz = 50, 1000 min_mz, max_mz = min(self.columns), max(self.columns) def x(mz): try: mz = float(mz) except: return 100 wv = (mz * (max_hz - min_hz) - max_hz * min_mz + min_hz * max_mz) / ( max_mz - min_mz) return int(44100 / wv) for i, mz in enumerate(self.columns): if float(mz) < cutoff: continue print(str(i) + '/' + str(self.shape[1])) inter_x = np.linspace(0, 1, wav[::mz_to_wv(mz)].shape[0]) wav[::mz_to_wv(mz)] += np.interp(inter_x, tmask, self.values[:, i]) scaled = wav / np.max(np.abs(wav)) scaled = scipy.signal.fftconvolve(scaled, np.ones(5) / 5, mode='same') scaled = np.int16(scaled * 32767) scipy.io.wavfile.write(filename, 44100, scaled)
as_sound
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, speed=60, cutoff=50):\n\n def x(t):\n return (t - self.index[0]) / speed\n wav_len = int(to_t(self.index[-1]) * 60 * 44100)\n wav = np.zeros(wav_len)\n tmask = np.linspace(0, 1, self.shape[0])\n min_hz, max_hz = 50, 1000\n min_mz, max_mz = min(self.columns), max(self.columns)\n\n def x(mz):\n try:\n mz = float(mz)\n except:\n return 100\n wv = (mz * (max_hz - min_hz) - max_hz * min_mz + min_hz * max_mz) / (\n max_mz - min_mz)\n return int(44100 / wv)\n for i, mz in enumerate(self.columns):\n if float(mz) < cutoff:\n continue\n print(str(i) + '/' + str(self.shape[1]))\n inter_x = np.linspace(0, 1, wav[::mz_to_wv(mz)].shape[0])\n wav[::mz_to_wv(mz)] += np.interp(inter_x, tmask, self.values[:, i])\n scaled = wav / np.max(np.abs(wav))\n scaled = scipy.signal.fftconvolve(scaled, np.ones(5) / 5, mode='same')\n scaled = np.int16(scaled * 32767)\n scipy.io.wavfile.write(filename, 44100, scaled)\n", "role": "user" }, { "content": "as_sound", "role": "assistant" } ]
def x(self, t, dt=None, aggfunc=None): idx = np.abs(self.index - t).argmin() if dt is None: mz_abn = self.values[idx, :].copy() else: en_idx = np.abs(self.index - t - dt).argmin() idx, en_idx = min(idx, en_idx), max(idx, en_idx) if aggfunc is None: mz_abn = self.values[idx:en_idx + 1, :].copy().sum(axis=0) else: mz_abn = aggfunc(self.values[idx:en_idx + 1, :].copy()) if isinstance(mz_abn, scipy.sparse.spmatrix): mz_abn = mz_abn.toarray()[0] return Scan(self.columns, mz_abn)
scan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, t, dt=None, aggfunc=None):\n idx = np.abs(self.index - t).argmin()\n if dt is None:\n mz_abn = self.values[idx, :].copy()\n else:\n en_idx = np.abs(self.index - t - dt).argmin()\n idx, en_idx = min(idx, en_idx), max(idx, en_idx)\n if aggfunc is None:\n mz_abn = self.values[idx:en_idx + 1, :].copy().sum(axis=0)\n else:\n mz_abn = aggfunc(self.values[idx:en_idx + 1, :].copy())\n if isinstance(mz_abn, scipy.sparse.spmatrix):\n mz_abn = mz_abn.toarray()[0]\n return Scan(self.columns, mz_abn)\n", "role": "user" }, { "content": "scan", "role": "assistant" } ]
def x(self, namespaces): connections_to_shutdown = [] self.cluster = Cluster(self.hosts) for namespace_name in namespaces: keyspace = '%s_%s' % (self.keyspace_prefix, namespace_name) namespace = Namespace(self.cluster, keyspace, self. replication_factor, self.read_size) connections_to_shutdown.append(namespace.session) self.namespaces[namespace_name] = namespace connections_to_shutdown.append(self.cluster) atexit.register(lambda : map(lambda c: c.shutdown(), connections_to_shutdown))
setup_cassandra
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, namespaces):\n connections_to_shutdown = []\n self.cluster = Cluster(self.hosts)\n for namespace_name in namespaces:\n keyspace = '%s_%s' % (self.keyspace_prefix, namespace_name)\n namespace = Namespace(self.cluster, keyspace, self.\n replication_factor, self.read_size)\n connections_to_shutdown.append(namespace.session)\n self.namespaces[namespace_name] = namespace\n connections_to_shutdown.append(self.cluster)\n atexit.register(lambda : map(lambda c: c.shutdown(),\n connections_to_shutdown))\n", "role": "user" }, { "content": "setup_cassandra", "role": "assistant" } ]
def x(self, namespace, stream, start_id, end_time, configuration): stream = self.get_stream(namespace, stream, configuration) return stream.delete(start_id, uuid_from_kronos_time(end_time, _type= UUIDType.HIGHEST))
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, namespace, stream, start_id, end_time, configuration):\n stream = self.get_stream(namespace, stream, configuration)\n return stream.delete(start_id, uuid_from_kronos_time(end_time, _type=\n UUIDType.HIGHEST))\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, namespace, stream, start_id, end_time, order, limit, configuration ): stream = self.get_stream(namespace, stream, configuration) events = stream.iterator(start_id, uuid_from_kronos_time(end_time, _type=UUIDType.HIGHEST), order == ResultOrder.DESCENDING, limit) events = events.__iter__() event = events.next() if event.id != start_id: yield event.json while True: yield events.next().json
retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, namespace, stream, start_id, end_time, order, limit, configuration\n ):\n stream = self.get_stream(namespace, stream, configuration)\n events = stream.iterator(start_id, uuid_from_kronos_time(end_time,\n _type=UUIDType.HIGHEST), order == ResultOrder.DESCENDING, limit)\n events = events.__iter__()\n event = events.next()\n if event.id != start_id:\n yield event.json\n while True:\n yield events.next().json\n", "role": "user" }, { "content": "retrieve", "role": "assistant" } ]
def x(environment, start_response, headers): response = {'service': 'kronosd', 'version': kronos.__version__, 'id': settings.node['id'], 'storage': {}, SUCCESS_FIELD: True} for name, backend in router.get_backends(): response['storage'][name] = {'alive': backend.is_alive(), 'backend': settings.storage[name]['backend']} start_response('200 OK', headers) return response
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(environment, start_response, headers):\n response = {'service': 'kronosd', 'version': kronos.__version__, 'id':\n settings.node['id'], 'storage': {}, SUCCESS_FIELD: True}\n for name, backend in router.get_backends():\n response['storage'][name] = {'alive': backend.is_alive(), 'backend':\n settings.storage[name]['backend']}\n start_response('200 OK', headers)\n return response\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(environment, start_response, headers): start_response('200 OK', headers) streams_seen_so_far = set() namespace = environment['json'].get('namespace', settings.default_namespace ) for prefix, backend in router.get_read_backends(namespace): for stream in backend.streams(namespace): if stream.startswith(prefix) and stream not in streams_seen_so_far: streams_seen_so_far.add(stream) yield '{0}\r\n'.format(stream) yield ''
get_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(environment, start_response, headers):\n start_response('200 OK', headers)\n streams_seen_so_far = set()\n namespace = environment['json'].get('namespace', settings.default_namespace\n )\n for prefix, backend in router.get_read_backends(namespace):\n for stream in backend.streams(namespace):\n if stream.startswith(prefix) and stream not in streams_seen_so_far:\n streams_seen_so_far.add(stream)\n yield '{0}\\r\\n'.format(stream)\n yield ''\n", "role": "user" }, { "content": "get_streams", "role": "assistant" } ]
def x(environment, start_response, headers): stream = environment['json']['stream'] namespace = environment['json'].get('namespace' ) or settings.default_namespace start_response('200 OK', headers) schema = _infer_schema(namespace, stream) response = {'stream': stream, 'namespace': namespace, 'schema': schema, SUCCESS_FIELD: True} return response
infer_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(environment, start_response, headers):\n stream = environment['json']['stream']\n namespace = environment['json'].get('namespace'\n ) or settings.default_namespace\n start_response('200 OK', headers)\n schema = _infer_schema(namespace, stream)\n response = {'stream': stream, 'namespace': namespace, 'schema': schema,\n SUCCESS_FIELD: True}\n return response\n", "role": "user" }, { "content": "infer_schema", "role": "assistant" } ]
def x(self): devices = None with self.socket.Connect(): devices = self._command('host:devices') return parse_device_list(devices)
devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n devices = None\n with self.socket.Connect():\n devices = self._command('host:devices')\n return parse_device_list(devices)\n", "role": "user" }, { "content": "devices", "role": "assistant" } ]
def x(self, leaf_blob): self.leaves.append(MerkleLeaf(len(self.leaves), leaf_blob))
add_leaf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, leaf_blob):\n self.leaves.append(MerkleLeaf(len(self.leaves), leaf_blob))\n", "role": "user" }, { "content": "add_leaf", "role": "assistant" } ]
def x(self): self.order = MerkleTree.get_order(len(self.leaves)) n = 2 ** self.order self.nodes = [b''] * 2 * n for j in range(0, n): if j < len(self.leaves): self.nodes[j + n - 1] = self.leaves[j].get_hash() else: break for i in range(1, self.order + 1): p = 2 ** (self.order - i) for j in range(0, p): k = p + j - 1 h = hashlib.sha256() l = self.nodes[MerkleTree.get_left_child(k)] if len(l) > 0: h.update(l) r = self.nodes[MerkleTree.get_right_child(k)] if len(r) > 0: h.update(r) self.nodes[k] = h.digest()
build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.order = MerkleTree.get_order(len(self.leaves))\n n = 2 ** self.order\n self.nodes = [b''] * 2 * n\n for j in range(0, n):\n if j < len(self.leaves):\n self.nodes[j + n - 1] = self.leaves[j].get_hash()\n else:\n break\n for i in range(1, self.order + 1):\n p = 2 ** (self.order - i)\n for j in range(0, p):\n k = p + j - 1\n h = hashlib.sha256()\n l = self.nodes[MerkleTree.get_left_child(k)]\n if len(l) > 0:\n h.update(l)\n r = self.nodes[MerkleTree.get_right_child(k)]\n if len(r) > 0:\n h.update(r)\n self.nodes[k] = h.digest()\n", "role": "user" }, { "content": "build", "role": "assistant" } ]
def x(self, i): branch = MerkleBranch(self.order) j = i + 2 ** self.order - 1 for k in range(0, self.order): if self.is_left(j): branch.set_row(k, (self.nodes[j], self.nodes[j + 1])) else: branch.set_row(k, (self.nodes[j - 1], self.nodes[j])) j = MerkleTree.get_parent(j) return branch
get_branch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i):\n branch = MerkleBranch(self.order)\n j = i + 2 ** self.order - 1\n for k in range(0, self.order):\n if self.is_left(j):\n branch.set_row(k, (self.nodes[j], self.nodes[j + 1]))\n else:\n branch.set_row(k, (self.nodes[j - 1], self.nodes[j]))\n j = MerkleTree.get_parent(j)\n return branch\n", "role": "user" }, { "content": "get_branch", "role": "assistant" } ]
def x(leaf, branch, root): try: lh = leaf.get_hash() except: return False for i in range(0, branch.get_order()): if branch.get_left(i) != lh and branch.get_right(i) != lh: return False h = hashlib.sha256() if len(branch.get_left(i)) > 0: h.update(branch.get_left(i)) if len(branch.get_right(i)) > 0: h.update(branch.get_right(i)) lh = h.digest() if root != lh: return False return True
verify_branch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(leaf, branch, root):\n try:\n lh = leaf.get_hash()\n except:\n return False\n for i in range(0, branch.get_order()):\n if branch.get_left(i) != lh and branch.get_right(i) != lh:\n return False\n h = hashlib.sha256()\n if len(branch.get_left(i)) > 0:\n h.update(branch.get_left(i))\n if len(branch.get_right(i)) > 0:\n h.update(branch.get_right(i))\n lh = h.digest()\n if root != lh:\n return False\n return True\n", "role": "user" }, { "content": "verify_branch", "role": "assistant" } ]
def x(self): id = self.id or self.objects.id(self.name) self.objects[id] = self.prepare_save(dict(self)) self.id = id self.post_save() return id
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n id = self.id or self.objects.id(self.name)\n self.objects[id] = self.prepare_save(dict(self))\n self.id = id\n self.post_save()\n return id\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, ids): return [self.instance(id, **fields) for id, fields in zip(ids, self.api .mget(ids))]
get_many
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ids):\n return [self.instance(id, **fields) for id, fields in zip(ids, self.api\n .mget(ids))]\n", "role": "user" }, { "content": "get_many", "role": "assistant" } ]
def x(self, **fields): entry = self.instance(**fields) entry.save() return entry
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **fields):\n entry = self.instance(**fields)\n entry.save()\n return entry\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(uri): parse_result = urlparse(uri) if parse_result.scheme == '': abspath = os.path.abspath(parse_result.path) if IS_WINDOWS: abspath = windows_to_unix_path(abspath) fixed_uri = 'file://{}'.format(abspath) parse_result = urlparse(fixed_uri) return parse_result
generous_parse_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri):\n parse_result = urlparse(uri)\n if parse_result.scheme == '':\n abspath = os.path.abspath(parse_result.path)\n if IS_WINDOWS:\n abspath = windows_to_unix_path(abspath)\n fixed_uri = 'file://{}'.format(abspath)\n parse_result = urlparse(fixed_uri)\n return parse_result\n", "role": "user" }, { "content": "generous_parse_uri", "role": "assistant" } ]
def x(): is_windows = platform.system() == 'Windows' no_username_in_env = os.environ.get('USERNAME') is None return cross_platform_getuser(is_windows, no_username_in_env)
getuser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n is_windows = platform.system() == 'Windows'\n no_username_in_env = os.environ.get('USERNAME') is None\n return cross_platform_getuser(is_windows, no_username_in_env)\n", "role": "user" }, { "content": "getuser", "role": "assistant" } ]
def x(config_path=None): if config_path is None: config_path = DEFAULT_CONFIG_PATH config_content = {} if os.path.isfile(config_path): with open(config_path) as fh: config_content = json.load(fh) return config_content
get_config_dict_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_path=None):\n if config_path is None:\n config_path = DEFAULT_CONFIG_PATH\n config_content = {}\n if os.path.isfile(config_path):\n with open(config_path) as fh:\n config_content = json.load(fh)\n return config_content\n", "role": "user" }, { "content": "get_config_dict_from_file", "role": "assistant" } ]
def x(key, value, config_path=None): if config_path is None: config_path = DEFAULT_CONFIG_PATH config = _get_config_dict_from_file(config_path) config[key] = value mkdir_parents(os.path.dirname(config_path)) with open(config_path, 'w') as fh: json.dump(config, fh, sort_keys=True, indent=2) os.chmod(config_path, 33216) return get_config_value_from_file(key, config_path)
write_config_value_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, value, config_path=None):\n if config_path is None:\n config_path = DEFAULT_CONFIG_PATH\n config = _get_config_dict_from_file(config_path)\n config[key] = value\n mkdir_parents(os.path.dirname(config_path))\n with open(config_path, 'w') as fh:\n json.dump(config, fh, sort_keys=True, indent=2)\n os.chmod(config_path, 33216)\n return get_config_value_from_file(key, config_path)\n", "role": "user" }, { "content": "write_config_value_to_file", "role": "assistant" } ]
def x(key, config_path=None, default=None): config = _get_config_dict_from_file(config_path) if key not in config: return default return config[key]
get_config_value_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, config_path=None, default=None):\n config = _get_config_dict_from_file(config_path)\n if key not in config:\n return default\n return config[key]\n", "role": "user" }, { "content": "get_config_value_from_file", "role": "assistant" } ]
def x(key, config_path=None, default=None): if config_path is None: config_path = DEFAULT_CONFIG_PATH value = default value = get_config_value_from_file(key=key, config_path=config_path, default=value) value = os.environ.get(key, value) return value
get_config_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, config_path=None, default=None):\n if config_path is None:\n config_path = DEFAULT_CONFIG_PATH\n value = default\n value = get_config_value_from_file(key=key, config_path=config_path,\n default=value)\n value = os.environ.get(key, value)\n return value\n", "role": "user" }, { "content": "get_config_value", "role": "assistant" } ]
def x(path): try: os.makedirs(path) except OSError as exc: if exc.errno == errno.EEXIST: pass else: raise
mkdir_parents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n try:\n os.makedirs(path)\n except OSError as exc:\n if exc.errno == errno.EEXIST:\n pass\n else:\n raise\n", "role": "user" }, { "content": "mkdir_parents", "role": "assistant" } ]
def x(datetime_obj): start_of_time = datetime.datetime(1970, 1, 1) diff = datetime_obj - start_of_time return diff.total_seconds()
timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(datetime_obj):\n start_of_time = datetime.datetime(1970, 1, 1)\n diff = datetime_obj - start_of_time\n return diff.total_seconds()\n", "role": "user" }, { "content": "timestamp", "role": "assistant" } ]
def x(name): if len(name) > MAX_NAME_LENGTH: return False return bool(NAME_VALID_CHARS_REGEX.match(name))
name_is_valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n if len(name) > MAX_NAME_LENGTH:\n return False\n return bool(NAME_VALID_CHARS_REGEX.match(name))\n", "role": "user" }, { "content": "name_is_valid", "role": "assistant" } ]
def x(self): logger.debug('Getting admin metdata') text = self.get_text(self.get_admin_metadata_key()) return json.loads(text)
get_admin_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Getting admin metdata')\n text = self.get_text(self.get_admin_metadata_key())\n return json.loads(text)\n", "role": "user" }, { "content": "get_admin_metadata", "role": "assistant" } ]
def x(self): logger.debug('Getting manifest') text = self.get_text(self.get_manifest_key()) return json.loads(text)
get_manifest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Getting manifest')\n text = self.get_text(self.get_manifest_key())\n return json.loads(text)\n", "role": "user" }, { "content": "get_manifest", "role": "assistant" } ]
def x(self, overlay_name): logger.debug('Getting overlay: {}'.format(overlay_name)) overlay_key = self.get_overlay_key(overlay_name) text = self.get_text(overlay_key) return json.loads(text)
get_overlay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, overlay_name):\n logger.debug('Getting overlay: {}'.format(overlay_name))\n overlay_key = self.get_overlay_key(overlay_name)\n text = self.get_text(overlay_key)\n return json.loads(text)\n", "role": "user" }, { "content": "get_overlay", "role": "assistant" } ]
def x(self, admin_metadata): logger.debug('Putting admin metdata') text = json.dumps(admin_metadata) key = self.get_admin_metadata_key() self.put_text(key, text)
put_admin_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, admin_metadata):\n logger.debug('Putting admin metdata')\n text = json.dumps(admin_metadata)\n key = self.get_admin_metadata_key()\n self.put_text(key, text)\n", "role": "user" }, { "content": "put_admin_metadata", "role": "assistant" } ]
def x(self, manifest): logger.debug('Putting manifest') text = json.dumps(manifest, indent=2, sort_keys=True) key = self.get_manifest_key() self.put_text(key, text)
put_manifest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, manifest):\n logger.debug('Putting manifest')\n text = json.dumps(manifest, indent=2, sort_keys=True)\n key = self.get_manifest_key()\n self.put_text(key, text)\n", "role": "user" }, { "content": "put_manifest", "role": "assistant" } ]
def x(self, content): logger.debug('Putting readme') key = self.get_readme_key() self.put_text(key, content)
put_readme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content):\n logger.debug('Putting readme')\n key = self.get_readme_key()\n self.put_text(key, content)\n", "role": "user" }, { "content": "put_readme", "role": "assistant" } ]
def x(self, content): logger.debug('Updating readme') key = self.get_readme_key() backup_content = self.get_readme_content() backup_key = key + '-{}'.format(timestamp(datetime.datetime.now())) logger.debug('README.yml backup key: {}'.format(backup_key)) self.put_text(backup_key, backup_content) self.put_text(key, content)
update_readme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, content):\n logger.debug('Updating readme')\n key = self.get_readme_key()\n backup_content = self.get_readme_content()\n backup_key = key + '-{}'.format(timestamp(datetime.datetime.now()))\n logger.debug('README.yml backup key: {}'.format(backup_key))\n self.put_text(backup_key, backup_content)\n self.put_text(key, content)\n", "role": "user" }, { "content": "update_readme", "role": "assistant" } ]
def x(self, overlay_name, overlay): logger.debug('Putting overlay: {}'.format(overlay_name)) key = self.get_overlay_key(overlay_name) text = json.dumps(overlay, indent=2) self.put_text(key, text)
put_overlay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, overlay_name, overlay):\n logger.debug('Putting overlay: {}'.format(overlay_name))\n key = self.get_overlay_key(overlay_name)\n text = json.dumps(overlay, indent=2)\n self.put_text(key, text)\n", "role": "user" }, { "content": "put_overlay", "role": "assistant" } ]
def x(self, handle): logger.debug('Getting properties for handle: {}'.format(handle)) properties = {'size_in_bytes': self.get_size_in_bytes(handle), 'utc_timestamp': self.get_utc_timestamp(handle), 'hash': self. get_hash(handle), 'relpath': self.get_relpath(handle)} logger.debug('{} properties: {}'.format(handle, properties)) return properties
item_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle):\n logger.debug('Getting properties for handle: {}'.format(handle))\n properties = {'size_in_bytes': self.get_size_in_bytes(handle),\n 'utc_timestamp': self.get_utc_timestamp(handle), 'hash': self.\n get_hash(handle), 'relpath': self.get_relpath(handle)}\n logger.debug('{} properties: {}'.format(handle, properties))\n return properties\n", "role": "user" }, { "content": "item_properties", "role": "assistant" } ]
def x(self): logger.debug('Documenting dataset structure') key = self.get_structure_key() text = json.dumps(self._structure_parameters, indent=2, sort_keys=True) self.put_text(key, text) key = self.get_dtool_readme_key() self.put_text(key, self._dtool_readme_txt)
document_structure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Documenting dataset structure')\n key = self.get_structure_key()\n text = json.dumps(self._structure_parameters, indent=2, sort_keys=True)\n self.put_text(key, text)\n key = self.get_dtool_readme_key()\n self.put_text(key, self._dtool_readme_txt)\n", "role": "user" }, { "content": "document_structure", "role": "assistant" } ]
def x(cls, base_uri, config_path): parsed_uri = generous_parse_uri(base_uri) uri_list = [] path = parsed_uri.path if IS_WINDOWS: path = unix_to_windows_path(parsed_uri.path, parsed_uri.netloc) for d in os.listdir(path): dir_path = os.path.join(path, d) if not os.path.isdir(dir_path): continue storage_broker = cls(dir_path, config_path) if not storage_broker.has_admin_metadata(): continue uri = storage_broker.generate_uri(name=d, uuid=None, base_uri=base_uri) uri_list.append(uri) return uri_list
list_dataset_uris
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, base_uri, config_path):\n parsed_uri = generous_parse_uri(base_uri)\n uri_list = []\n path = parsed_uri.path\n if IS_WINDOWS:\n path = unix_to_windows_path(parsed_uri.path, parsed_uri.netloc)\n for d in os.listdir(path):\n dir_path = os.path.join(path, d)\n if not os.path.isdir(dir_path):\n continue\n storage_broker = cls(dir_path, config_path)\n if not storage_broker.has_admin_metadata():\n continue\n uri = storage_broker.generate_uri(name=d, uuid=None, base_uri=base_uri)\n uri_list.append(uri)\n return uri_list\n", "role": "user" }, { "content": "list_dataset_uris", "role": "assistant" } ]
def x(self, key, text): with open(key, 'w') as fh: fh.write(text)
put_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, text):\n with open(key, 'w') as fh:\n fh.write(text)\n", "role": "user" }, { "content": "put_text", "role": "assistant" } ]
def x(self, handle): fpath = self._fpath_from_handle(handle) return os.stat(fpath).st_size
get_size_in_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle):\n fpath = self._fpath_from_handle(handle)\n return os.stat(fpath).st_size\n", "role": "user" }, { "content": "get_size_in_bytes", "role": "assistant" } ]
def x(self, handle): fpath = self._fpath_from_handle(handle) datetime_obj = datetime.datetime.utcfromtimestamp(os.stat(fpath).st_mtime) return timestamp(datetime_obj)
get_utc_timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle):\n fpath = self._fpath_from_handle(handle)\n datetime_obj = datetime.datetime.utcfromtimestamp(os.stat(fpath).st_mtime)\n return timestamp(datetime_obj)\n", "role": "user" }, { "content": "get_utc_timestamp", "role": "assistant" } ]
def x(self, handle): fpath = self._fpath_from_handle(handle) return DiskStorageBroker.hasher(fpath)
get_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle):\n fpath = self._fpath_from_handle(handle)\n return DiskStorageBroker.hasher(fpath)\n", "role": "user" }, { "content": "get_hash", "role": "assistant" } ]
def x(self): overlay_names = [] if not os.path.isdir(self._overlays_abspath): return overlay_names for fname in os.listdir(self._overlays_abspath): name, ext = os.path.splitext(fname) overlay_names.append(name) return overlay_names
list_overlay_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n overlay_names = []\n if not os.path.isdir(self._overlays_abspath):\n return overlay_names\n for fname in os.listdir(self._overlays_abspath):\n name, ext = os.path.splitext(fname)\n overlay_names.append(name)\n return overlay_names\n", "role": "user" }, { "content": "list_overlay_names", "role": "assistant" } ]
def x(self, identifier): manifest = self.get_manifest() item = manifest['items'][identifier] item_abspath = os.path.join(self._data_abspath, item['relpath']) return item_abspath
get_item_abspath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier):\n manifest = self.get_manifest()\n item = manifest['items'][identifier]\n item_abspath = os.path.join(self._data_abspath, item['relpath'])\n return item_abspath\n", "role": "user" }, { "content": "get_item_abspath", "role": "assistant" } ]
def x(self): if os.path.exists(self._abspath): raise StorageBrokerOSError('Path already exists: {}'.format(self. _abspath)) parent, _ = os.path.split(self._abspath) if not os.path.isdir(parent): raise StorageBrokerOSError('No such directory: {}'.format(parent)) os.mkdir(self._abspath) for abspath in self._essential_subdirectories: if not os.path.isdir(abspath): os.mkdir(abspath)
create_structure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.exists(self._abspath):\n raise StorageBrokerOSError('Path already exists: {}'.format(self.\n _abspath))\n parent, _ = os.path.split(self._abspath)\n if not os.path.isdir(parent):\n raise StorageBrokerOSError('No such directory: {}'.format(parent))\n os.mkdir(self._abspath)\n for abspath in self._essential_subdirectories:\n if not os.path.isdir(abspath):\n os.mkdir(abspath)\n", "role": "user" }, { "content": "create_structure", "role": "assistant" } ]
def x(self, fpath, relpath): dest_path = os.path.join(self._data_abspath, relpath) dirname = os.path.dirname(dest_path) mkdir_parents(dirname) shutil.copyfile(fpath, dest_path) return relpath
put_item
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fpath, relpath):\n dest_path = os.path.join(self._data_abspath, relpath)\n dirname = os.path.dirname(dest_path)\n mkdir_parents(dirname)\n shutil.copyfile(fpath, dest_path)\n return relpath\n", "role": "user" }, { "content": "put_item", "role": "assistant" } ]
def x(self): path = self._data_abspath path_length = len(path) + 1 for dirpath, dirnames, filenames in os.walk(path): for fn in filenames: path = os.path.join(dirpath, fn) relative_path = path[path_length:] if IS_WINDOWS: relative_path = windows_to_unix_path(relative_path) yield relative_path
iter_item_handles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n path = self._data_abspath\n path_length = len(path) + 1\n for dirpath, dirnames, filenames in os.walk(path):\n for fn in filenames:\n path = os.path.join(dirpath, fn)\n relative_path = path[path_length:]\n if IS_WINDOWS:\n relative_path = windows_to_unix_path(relative_path)\n yield relative_path\n", "role": "user" }, { "content": "iter_item_handles", "role": "assistant" } ]
def x(self, handle, key, value): if not os.path.isdir(self._metadata_fragments_abspath): os.mkdir(self._metadata_fragments_abspath) prefix = self._handle_to_fragment_absprefixpath(handle) fpath = prefix + '.{}.json'.format(key) with open(fpath, 'w') as fh: json.dump(value, fh)
add_item_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle, key, value):\n if not os.path.isdir(self._metadata_fragments_abspath):\n os.mkdir(self._metadata_fragments_abspath)\n prefix = self._handle_to_fragment_absprefixpath(handle)\n fpath = prefix + '.{}.json'.format(key)\n with open(fpath, 'w') as fh:\n json.dump(value, fh)\n", "role": "user" }, { "content": "add_item_metadata", "role": "assistant" } ]
def x(self, handle): if not os.path.isdir(self._metadata_fragments_abspath): return {} prefix = self._handle_to_fragment_absprefixpath(handle) def x(dirname): for f in os.listdir(dirname): yield os.path.join(dirname, f) files = [f for f in list_abspaths(self._metadata_fragments_abspath) if f.startswith(prefix)] metadata = {} for f in files: key = f.split('.')[-2] with open(f) as fh: value = json.load(fh) metadata[key] = value return metadata
get_item_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle):\n if not os.path.isdir(self._metadata_fragments_abspath):\n return {}\n prefix = self._handle_to_fragment_absprefixpath(handle)\n\n def x(dirname):\n for f in os.listdir(dirname):\n yield os.path.join(dirname, f)\n files = [f for f in list_abspaths(self._metadata_fragments_abspath) if\n f.startswith(prefix)]\n metadata = {}\n for f in files:\n key = f.split('.')[-2]\n with open(f) as fh:\n value = json.load(fh)\n metadata[key] = value\n return metadata\n", "role": "user" }, { "content": "get_item_metadata", "role": "assistant" } ]
def x(self): allowed = set([v[0] for v in _STRUCTURE_PARAMETERS.values()]) for d in os.listdir(self._abspath): if d not in allowed: msg = 'Rogue content in base of dataset: {}'.format(d) raise DiskStorageBrokerValidationWarning(msg)
pre_freeze_hook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n allowed = set([v[0] for v in _STRUCTURE_PARAMETERS.values()])\n for d in os.listdir(self._abspath):\n if d not in allowed:\n msg = 'Rogue content in base of dataset: {}'.format(d)\n raise DiskStorageBrokerValidationWarning(msg)\n", "role": "user" }, { "content": "pre_freeze_hook", "role": "assistant" } ]
def x(self): if os.path.isdir(self._metadata_fragments_abspath): shutil.rmtree(self._metadata_fragments_abspath)
post_freeze_hook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.isdir(self._metadata_fragments_abspath):\n shutil.rmtree(self._metadata_fragments_abspath)\n", "role": "user" }, { "content": "post_freeze_hook", "role": "assistant" } ]
def x(self): payload = {'aud': API_OAUTH, 'exp': time.time() + 600, 'sub': self.email} header = {'Content-type': 'application/x-www-form-urlencoded'} assertion = jwt.encode(payload, self.private_key, algorithm='RS256') assertion = assertion.decode('utf-8') response = requests.post(url=API_OAUTH, headers=header, data= 'grant_type=urn:ietf:params:oauth:grant-type:jwt-bearer&assertion=' + assertion) print(response.text) if response.status_code == 200: print('status 200 ok for Token') self.token = response.json()['access_token'] else: print('Could not get Token. Status: ' + str(response.status_code)) return response
get_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n payload = {'aud': API_OAUTH, 'exp': time.time() + 600, 'sub': self.email}\n header = {'Content-type': 'application/x-www-form-urlencoded'}\n assertion = jwt.encode(payload, self.private_key, algorithm='RS256')\n assertion = assertion.decode('utf-8')\n response = requests.post(url=API_OAUTH, headers=header, data=\n 'grant_type=urn:ietf:params:oauth:grant-type:jwt-bearer&assertion=' +\n assertion)\n print(response.text)\n if response.status_code == 200:\n print('status 200 ok for Token')\n self.token = response.json()['access_token']\n else:\n print('Could not get Token. Status: ' + str(response.status_code))\n return response\n", "role": "user" }, { "content": "get_token", "role": "assistant" } ]
def x(self, model_id, token=None, url=API_GET_MODEL_INFO): auth = 'Bearer ' + self.check_for_token(token) h = {'Authorization': auth, 'Cache-Control': 'no-cache'} the_url = url + '/' + model_id r = requests.get(the_url, headers=h) return r
get_model_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_id, token=None, url=API_GET_MODEL_INFO):\n auth = 'Bearer ' + self.check_for_token(token)\n h = {'Authorization': auth, 'Cache-Control': 'no-cache'}\n the_url = url + '/' + model_id\n r = requests.get(the_url, headers=h)\n return r\n", "role": "user" }, { "content": "get_model_info", "role": "assistant" } ]
def x(self, token=None, url=API_GET_DATASETS_INFO): auth = 'Bearer ' + self.check_for_token(token) h = {'Authorization': auth, 'Cache-Control': 'no-cache'} the_url = url r = requests.get(the_url, headers=h) return r
get_datasets_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token=None, url=API_GET_DATASETS_INFO):\n auth = 'Bearer ' + self.check_for_token(token)\n h = {'Authorization': auth, 'Cache-Control': 'no-cache'}\n the_url = url\n r = requests.get(the_url, headers=h)\n return r\n", "role": "user" }, { "content": "get_datasets_info", "role": "assistant" } ]
def x(self, model_id, picture_url, token=None, url=API_GET_PREDICTION_IMAGE_URL ): auth = 'Bearer ' + self.check_for_token(token) m = MultipartEncoder(fields={'sampleLocation': picture_url, 'modelId': model_id}) h = {'Authorization': auth, 'Cache-Control': 'no-cache', 'Content-Type': m.content_type} the_url = url r = requests.post(the_url, headers=h, data=m) return r
get_url_image_prediction
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_id, picture_url, token=None, url=API_GET_PREDICTION_IMAGE_URL\n ):\n auth = 'Bearer ' + self.check_for_token(token)\n m = MultipartEncoder(fields={'sampleLocation': picture_url, 'modelId':\n model_id})\n h = {'Authorization': auth, 'Cache-Control': 'no-cache', 'Content-Type':\n m.content_type}\n the_url = url\n r = requests.post(the_url, headers=h, data=m)\n return r\n", "role": "user" }, { "content": "get_url_image_prediction", "role": "assistant" } ]