source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, start=date(1970, 1, 1), end=date.today()): if isinstance(start, string_types): start = self.str2date(start) if isinstance(end, string_types): end = self.str2date(end) if start > end: raise ValueError('start time has to be earlier than end time') return date.fromordinal(random.randint(start.toordinal(), end.toordinal()))
rnd_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=date(1970, 1, 1), end=date.today()):\n if isinstance(start, string_types):\n start = self.str2date(start)\n if isinstance(end, string_...
def x(self, size, start=date(1970, 1, 1), end=date.today()): if isinstance(start, string_types): start = self.str2date(start) if isinstance(end, string_types): end = self.str2date(end) if start > end: raise ValueError('start time has to be earlier than end time') return self.randn(size, self._rnd_date, start, end)
rnd_date_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size, start=date(1970, 1, 1), end=date.today()):\n if isinstance(start, string_types):\n start = self.str2date(start)\n if isinstance(end, s...
def x(self, start, end): return self.from_utctimestamp(random.randint(int(self.to_utctimestamp( start)), int(self.to_utctimestamp(end))))
rnd_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, end):\n return self.from_utctimestamp(random.randint(int(self.to_utctimestamp(\n start)), int(self.to_utctimestamp(end))))\n", "role...
def x(self, start=datetime(1970, 1, 1), end=datetime.now()): if isinstance(start, string_types): start = self.str2datetime(start) if isinstance(end, str): end = self.str2datetime(end) if start > end: raise ValueError('start time has to be earlier than end time') return self.from_utctimestamp(random.randint(int(self.to_utctimestamp( start)), int(self.to_utctimestamp(end))))
rnd_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=datetime(1970, 1, 1), end=datetime.now()):\n if isinstance(start, string_types):\n start = self.str2datetime(start)\n if isinstance(en...
def x(self, size, start=datetime(1970, 1, 1), end=datetime.now()): if isinstance(start, string_types): start = self.str2datetime(start) if isinstance(end, str): end = self.str2datetime(end) if start > end: raise ValueError('start time has to be earlier than end time') return self.randn(size, self._rnd_datetime, start, end)
rnd_datetime_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, size, start=datetime(1970, 1, 1), end=datetime.now()):\n if isinstance(start, string_types):\n start = self.str2datetime(start)\n if isinsta...
def x(self, datetimestr, n): a_datetime = self.parse_datetime(datetimestr) return a_datetime + timedelta(seconds=n)
add_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datetimestr, n):\n a_datetime = self.parse_datetime(datetimestr)\n return a_datetime + timedelta(seconds=n)\n", "role": "user" }, { "co...
def x(self, datetimestr, n): a_datetime = self.parse_datetime(datetimestr) return a_datetime + timedelta(seconds=60 * n)
add_minutes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datetimestr, n):\n a_datetime = self.parse_datetime(datetimestr)\n return a_datetime + timedelta(seconds=60 * n)\n", "role": "user" }, { ...
def x(self, datetimestr, n): a_datetime = self.parse_datetime(datetimestr) return a_datetime + timedelta(seconds=3600 * n)
add_hours
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datetimestr, n):\n a_datetime = self.parse_datetime(datetimestr)\n return a_datetime + timedelta(seconds=3600 * n)\n", "role": "user" }, { ...
def x(self, datetimestr, n, return_date=False): a_datetime = self.parse_datetime(datetimestr) a_datetime += timedelta(days=7 * n) if return_date: return a_datetime.date() else: return a_datetime
add_weeks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datetimestr, n, return_date=False):\n a_datetime = self.parse_datetime(datetimestr)\n a_datetime += timedelta(days=7 * n)\n if return_date:\n ...
def x(self, datetimestr, n, return_date=False): a_datetime = self.parse_datetime(datetimestr) try: a_datetime = datetime(a_datetime.year + n, a_datetime.month, a_datetime.day, a_datetime.hour, a_datetime.minute, a_datetime. second, a_datetime.microsecond) except: a_datetime = datetime(a_datetime.year + n, 2, 28, a_datetime.hour, a_datetime.minute, a_datetime.second, a_datetime.microsecond) if return_date: return a_datetime.date() else: return a_datetime
add_years
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datetimestr, n, return_date=False):\n a_datetime = self.parse_datetime(datetimestr)\n try:\n a_datetime = datetime(a_datetime.year + n, a_da...
def x(self, dt, hour, minute, second, mode='floor'): mode = mode.lower() new_dt = datetime(dt.year, dt.month, dt.day, hour, minute, second) if mode == 'floor': if new_dt <= dt: return new_dt else: return rolex.add_days(new_dt, -1) elif mode == 'ceiling': if new_dt >= dt: return new_dt else: return rolex.add_days(new_dt, 1) else: raise ValueError("'mode' has to be 'floor' or 'ceiling'!")
round_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dt, hour, minute, second, mode='floor'):\n mode = mode.lower()\n new_dt = datetime(dt.year, dt.month, dt.day, hour, minute, second)\n if mode ==...
def x(ctx: click.Context, amend: bool=False, stage: bool=False): _lint(ctx, amend, stage)
lint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx: click.Context, amend: bool=False, stage: bool=False):\n _lint(ctx, amend, stage)\n", "role": "user" }, { "content": "lint", "role": "as...
def x(self, herald_svc, message): if self.__callback is not None: try: self.__callback(herald_svc, message) except Exception as ex: _logger.exception('Error calling callback: %s', ex)
callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, herald_svc, message):\n if self.__callback is not None:\n try:\n self.__callback(herald_svc, message)\n except Exception as e...
def x(self, herald_svc, exception): if self.__errback is not None: try: self.__errback(herald_svc, exception) except Exception as ex: _logger.exception('Error calling errback: %s', ex)
errback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, herald_svc, exception):\n if self.__errback is not None:\n try:\n self.__errback(herald_svc, exception)\n except Exception as...
def x(socket, hwm=-1): try: socket.sndhwm = socket.rcvhwm = hwm except AttributeError: socket.hwm = hwm
socket_set_hwm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(socket, hwm=-1):\n try:\n socket.sndhwm = socket.rcvhwm = hwm\n except AttributeError:\n socket.hwm = hwm\n", "role": "user" }, { ...
def x(ctx): a = ctx.socket(zmq.PAIR) a.linger = 0 b = ctx.socket(zmq.PAIR) b.linger = 0 socket_set_hwm(a, 1) socket_set_hwm(b, 1) iface = 'inproc://%s' % binascii.hexlify(os.urandom(8)) a.bind(iface) b.connect(iface) return a, b
zpipe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n a = ctx.socket(zmq.PAIR)\n a.linger = 0\n b = ctx.socket(zmq.PAIR)\n b.linger = 0\n socket_set_hwm(a, 1)\n socket_set_hwm(b, 1)\n ...
def x(similar=False, **kwargs): result_country = None try: if similar: for country in countries: if kwargs.get('name', '') in country.name: result_country = country break else: result_country = countries.get(**kwargs) except Exception as ex: msg = ('Country not found in pycountry with params introduced - {}' .format(ex)) logger.error(msg, params=kwargs) return result_country
get_country
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(similar=False, **kwargs):\n result_country = None\n try:\n if similar:\n for country in countries:\n if kwargs.get('name...
def x(address=''): coordinates = None try: geolocator = Nominatim() location = geolocator.geocode(address) coordinates = location.latitude, location.longitude except Exception as ex: logger.error('Fail get location - {}'.format(ex)) return coordinates
get_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(address=''):\n coordinates = None\n try:\n geolocator = Nominatim()\n location = geolocator.geocode(address)\n coordinates = locatio...
def x(coords=None, **kwargs): address = None try: if not coords and ('latitude' in kwargs and 'longitude' in kwargs ) or 'location' in kwargs: coords = kwargs.get('location', (kwargs.get('latitude'), kwargs .get('longitude'))) if isinstance(coords, (list, tuple)) and len(coords) == 2: coords = '{}, {}'.join(map(str, coords)) geolocator = Nominatim() location = geolocator.reverse(coords) address = location.address except Exception as ex: logger.error('Fail get reverse address - {}'.format(ex)) return address
get_address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(coords=None, **kwargs):\n address = None\n try:\n if not coords and ('latitude' in kwargs and 'longitude' in kwargs\n ) or 'location' i...
def x(self, documents, fully_formed=False): def x(document, id): def x(root, rel_path, max_depth): if max_depth < 0: raise ParameterError('document_id_xpath too deep!') if not rel_path: return root else: child = root.find(rel_path[0]) if child is None: child = ET.Element(rel_path[0]) root.append(child) return make_id_tag(child, rel_path[1:], max_depth - 1) make_id_tag(document, doc_id_xpath, 10).text = str(id) if fully_formed: if not isinstance(documents, list): documents = [documents] else: doc_root_tag = self.connection.document_root_xpath doc_id_xpath = self.connection.document_id_xpath.split('/') documents = dict([(id, to_etree(document if document is not None else query.term('', doc_root_tag), doc_root_tag)) for id, document in documents.items()]) for id, document in documents.items(): if document.tag != doc_root_tag: documents[id] = ET.Element(doc_root_tag) documents[id].append(document) for id, document in documents.items(): add_id(document, id) documents = documents.values() self._documents = map(to_raw_xml, documents)
set_documents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, documents, fully_formed=False):\n\n def x(document, id):\n\n def x(root, rel_path, max_depth):\n if max_depth < 0:\n ...
def x(self, doc_ids): if isinstance(doc_ids, list): self.set_documents(dict.fromkeys(doc_ids)) else: self.set_documents({doc_ids: None})
set_doc_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doc_ids):\n if isinstance(doc_ids, list):\n self.set_documents(dict.fromkeys(doc_ids))\n else:\n self.set_documents({doc_ids: None})\...
def x(self, set_property, name, starting_value, tag_name=None): def x(self, tag_name): try: del self._content[tag_name] except KeyError: pass def x(self, tag_name): try: return self._content[tag_name] except KeyError: return None tag_name = name if tag_name is None else tag_name fget = lambda self: get_property(self, tag_name) fdel = lambda self: del_property(self, tag_name) fset = lambda self, value: set_property(value) setattr(self.__class__, name, property(fget, fset, fdel)) set_property(starting_value)
add_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, set_property, name, starting_value, tag_name=None):\n\n def x(self, tag_name):\n try:\n del self._content[tag_name]\n except ...
def x(self, value): if isinstance(value, basestring) or value is None: self._content['query'] = value elif hasattr(value, 'keys'): self._content['query'] = query.terms_from_dict(value) else: raise TypeError('Query must be a string or dict. Got: ' + type( value) + ' insted!')
set_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if isinstance(value, basestring) or value is None:\n self._content['query'] = value\n elif hasattr(value, 'keys'):\n self._...
def x(self): def x(xml_content): fields = ['<?xml version="1.0" encoding="utf-8"?>\n', """<cps:request xmlns:cps="www.clusterpoint.com"> """, '<cps:storage>', self.connection._storage, '</cps:storage>\n'] if self.timestamp: fields += [] if self.request_id: fields += ['<cps:request_id>', str(self.request_id), '</cps:request_id>\n'] if self.connection.reply_charset: fields += [] if self.connection.application: fields += ['<cps:application>', self.connection.application, '</cps:application>\n'] fields += ['<cps:command>', self._command, '</cps:command>\n', '<cps:user>', self.connection._user, '</cps:user>\n', '<cps:password>', self.connection._password, '</cps:password>\n', '<cps:account>', self.connection._account, '</cps:account>\n'] if self.timeout: fields += ['<cps:timeout>', str(self.timeout), '</cps:timeout>\n'] if self.type: fields += ['<cps:type>', self.type, '</cps:type>\n'] if xml_content: fields += ['<cps:content>\n', xml_content, '\n</cps:content>\n'] else: fields += '<cps:content/>\n' fields += '</cps:request>\n' xml_request = ''.join(fields) return xml_request xml_content = [] if self._documents: xml_content += self._documents for key, value in self._nested_content.items(): if value: xml_content += ['<{0}>'.format(key)] + ['<{0}>{1}</{0}>'.format (sub_key, sub_value) for sub_key, sub_value in value if sub_value] + ['</{0}>'.format(key)] for key, value in self._content.items(): if not isinstance(value, list): value = [value] xml_content += ['<{0}>{1}</{0}>'.format(key, item) for item in value if item] xml_content = '\n'.join(xml_content) return wrap_xml_content(xml_content)
get_xml_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x(xml_content):\n fields = ['<?xml version=\"1.0\" encoding=\"utf-8\"?>\\n',\n \"\"\"<cps:request xmlns:cps=\"www.clusterpo...
def x(self): xml_request = self.get_xml_request() if self.connection._debug == 1: print(xml_request) Debug.warn('-' * 25) Debug.warn(self._command) Debug.dump('doc: \n', self._documents) Debug.dump('cont: \n', self._content) Debug.dump('nest cont \n', self._nested_content) Debug.dump('Request: \n', xml_request) response = _handle_response(self.connection._send_request(xml_request), self._command, self.connection.document_id_xpath) return response
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n xml_request = self.get_xml_request()\n if self.connection._debug == 1:\n print(xml_request)\n Debug.warn('-' * 25)\n Debug.warn(sel...
def x(): now = time.time() return (datetime.datetime.fromtimestamp(now) - datetime.datetime. utcfromtimestamp(now)).seconds // 60
min_timezone_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n now = time.time()\n return (datetime.datetime.fromtimestamp(now) - datetime.datetime.\n utcfromtimestamp(now)).seconds // 60\n", "role": ...
def x(self, data): if data[0] == TDS_ERROR_TOKEN: raise self.parse_error('begin()', data) t, data = _parse_byte(data) assert t == TDS_ENVCHANGE_TOKEN _, data = _parse_int(data, 2) e, data = _parse_byte(data) assert e == TDS_ENV_BEGINTRANS ln, data = _parse_byte(data) assert ln == 8 return data[:ln], data[ln:]
parse_transaction_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if data[0] == TDS_ERROR_TOKEN:\n raise self.parse_error('begin()', data)\n t, data = _parse_byte(data)\n assert t == TDS_ENVCHAN...
def x(secs): secs = int(secs) if abs(secs) > 60: mins = abs(secs) / 60 secs = abs(secs) - mins * 60 return '%s%im %02is' % ('-' if secs < 0 else '', mins, secs) return '%is' % secs
format_duration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(secs):\n secs = int(secs)\n if abs(secs) > 60:\n mins = abs(secs) / 60\n secs = abs(secs) - mins * 60\n return '%s%im %02is' % ('-' ...
def x(self, numEpochs, batchsize): for epoch in range(numEpochs): print('epoch %d' % epoch) indexes = np.random.permutation(self.trainsize) for i in range(0, self.trainsize, batchsize): x = Variable(self.x_train[indexes[i:i + batchsize]]) t = Variable(self.y_train[indexes[i:i + batchsize]]) self.optimizer.update(self.model, x, t)
learn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, numEpochs, batchsize):\n for epoch in range(numEpochs):\n print('epoch %d' % epoch)\n indexes = np.random.permutation(self.trainsize)\n ...
def x(self, batchsize): sum_loss, sum_accuracy = 0, 0 for i in range(0, self.testsize, batchsize): x = Variable(self.x_test[i:i + batchsize]) y = Variable(self.y_test[i:i + batchsize]) loss = self.model(x, y) sum_loss += loss.data * batchsize sum_accuracy += self.model.accuracy.data * batchsize return sum_loss / self.testsize, sum_accuracy / self.testsize
evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, batchsize):\n sum_loss, sum_accuracy = 0, 0\n for i in range(0, self.testsize, batchsize):\n x = Variable(self.x_test[i:i + batchsize])\n ...
def x(self, model_filename, optimizer_filename): serializers.save_hdf5(model_filename, self.model) serializers.save_hdf5(optimizer_filename, self.optimizer)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_filename, optimizer_filename):\n serializers.save_hdf5(model_filename, self.model)\n serializers.save_hdf5(optimizer_filename, self.optimizer...
def x(self, phrase_vector): x = Variable(np.asarray([phrase_vector])) return self.model.predictor(x).data[0]
classify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phrase_vector):\n x = Variable(np.asarray([phrase_vector]))\n return self.model.predictor(x).data[0]\n", "role": "user" }, { "content":...
def x(self, site): self._parent_site = site if settings.FLUENTCMS_EMAILTEMPLATES_ENABLE_CROSS_SITE: return self.filter(Q(parent_site=site) | Q(is_cross_site=True)) else: return self.filter(parent_site=site)
parent_site
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, site):\n self._parent_site = site\n if settings.FLUENTCMS_EMAILTEMPLATES_ENABLE_CROSS_SITE:\n return self.filter(Q(parent_site=site) | Q(is_...
def x(self): if (settings.FLUENTCMS_EMAILTEMPLATES_FILTER_SITE_ID and self. _parent_site is None): return self.parent_site(settings.SITE_ID) else: return self
single_site
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if (settings.FLUENTCMS_EMAILTEMPLATES_FILTER_SITE_ID and self.\n _parent_site is None):\n return self.parent_site(settings.SITE_ID)\n...
def x(data: Union[str, bytes]) ->str: return ensure_str(base58.b58encode(ensure_bytes(data)))
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data: Union[str, bytes]) ->str:\n return ensure_str(base58.b58encode(ensure_bytes(data)))\n", "role": "user" }, { "content": "encode", "role...
def x(verNObg3gray, VERgray): if VERgray is None and verNObg3gray is None: return fg = figure() ax2 = fg.gca() if VERgray is not None: z = VERgray.alt_km Ek = VERgray.energy_ev.values props = {'boxstyle': 'round', 'facecolor': 'wheat', 'alpha': 0.5} fgs, axs = fg.subplots(6, 6, sharex=True, sharey='row') axs = axs.ravel() fgs.subplots_adjust(hspace=0, wspace=0) fgs.suptitle('filtered VER/flux') fgs.text(0.04, 0.5, 'Altitude [km]', va='center', rotation='vertical') fgs.text(0.5, 0.04, 'Beam energy [eV]', ha='center') for i, e in enumerate(Ek): axs[i].semilogx(VERgray.loc[:, e], z) axs[i].set_xlim((0.001, 10000.0)) axs[i].text(0.95, 0.95, '{:0.0f}'.format(e) + 'eV', transform= axs[i].transAxes, fontsize=12, va='top', ha='right', bbox=props ) for i in range(33, 36): axs[i].axis('off') ax2.semilogx(VERgray.sum(axis=1), z, label='filt', color='b') ax = figure().gca() for e in Ek: ax.semilogx(VERgray.loc[:, e], z, marker='', label='{:.0f} eV'. format(e)) ax.set_title('filtered VER/flux') ax.set_xlabel('VER/flux') ax.set_ylabel('altitude [km]') ax.legend(loc='best', fontsize=8) ax.set_xlim((1e-05, 100000.0)) ax.grid(True) if verNObg3gray is not None: ax1 = figure().gca() z = verNObg3gray.alt_km Ek = verNObg3gray.energy_ev.values ax1.semilogx(verNObg3gray, z, marker='', label='unfilt', color='r') ax2.semilogx(verNObg3gray.sum(axis=1), z, label='unfilt', color='r') ax = figure().gca() for e in Ek: ax.semilogx(verNObg3gray.loc[:, e], z, marker='', label= '{:.0f} eV'.format(e)) ax.set_title('UNfiltered VER/flux') ax.set_xlabel('VER/flux') ax.set_ylabel('altitude [km]') ax.legend(loc='best', fontsize=8) ax.set_xlim((1e-05, 100000.0)) ax.grid(True) ax1.set_title('VER/flux, one profile per beam') ax1.set_xlabel('VER/flux') ax1.set_ylabel('altitude [km]') ax1.grid(True) ax2.set_xlabel('VER/flux') ax2.set_ylabel('altitude [km]') ax2.set_title( 'VER/flux summed over all energy beams \n (as the camera would see)') ax2.legend(loc='best') ax2.grid(True)
plotOptMod
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(verNObg3gray, VERgray):\n if VERgray is None and verNObg3gray is None:\n return\n fg = figure()\n ax2 = fg.gca()\n if VERgray is not None:\n...
def x(f, c, dx=0.0001): return (f(c + dx) - f(c - dx)) / (2 * dx)
deriv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, c, dx=0.0001):\n return (f(c + dx) - f(c - dx)) / (2 * dx)\n", "role": "user" }, { "content": "deriv", "role": "assistant" } ]
def x(f, c, tol=0.0001, restrict=None): if restrict: lo, hi = restrict if c < lo or c > hi: print(c) c = random * (hi - lo) + lo if fuzzyequals(f(c), 0, tol): return c else: try: return newton(f, c - f(c) / deriv(f, c, tol), tol, restrict) except: return None
newton
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, c, tol=0.0001, restrict=None):\n if restrict:\n lo, hi = restrict\n if c < lo or c > hi:\n print(c)\n c = random * (h...
def x(self, low, high, forcequad=False, **kwargs): if not self.adaptive and not forcequad: return self.gauss_kde.integrate_box_1d(low, high) * self.norm return quad(self.evaluate, low, high, **kwargs)[0]
integrate_box
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, low, high, forcequad=False, **kwargs):\n if not self.adaptive and not forcequad:\n return self.gauss_kde.integrate_box_1d(low, high) * self.nor...
def x(self): if self.context and len(self.context) != len(set(self.context)): LOGGER.error('Cannot have duplicated context objects') raise Exception('Cannot have duplicated context objects.')
validate_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.context and len(self.context) != len(set(self.context)):\n LOGGER.error('Cannot have duplicated context objects')\n raise Exc...
def x(self, model_cls): for obj in self.data.values(): if isinstance(obj, model_cls): return obj LOGGER.error('Context Not Found') raise Exception('Context Not Found')
get_instance_of
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_cls):\n for obj in self.data.values():\n if isinstance(obj, model_cls):\n return obj\n LOGGER.error('Context Not Found')\n ...
def x(self): if not self.context: return else: assert isinstance(self.context, tuple ), 'Expected a Tuple not {0}'.format(type(self.context)) for model in self.context: model_cls = utils.get_model_class(model) key = utils.camel_to_snake(model_cls.__name__) self.context_data[key] = self.get_instance_of(model_cls)
get_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.context:\n return\n else:\n assert isinstance(self.context, tuple\n ), 'Expected a Tuple not {0}'.format(ty...
def x(self): self.get_context() self.context_data.update(self.get_extra_context()) return self.context_data
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.get_context()\n self.context_data.update(self.get_extra_context())\n return self.context_data\n", "role": "user" }, { "conte...
def x(self, to, language=None, **data): self.data = data self.get_context_data() if app_settings['SEND_EMAILS']: try: if language: mail.send(to, template=self.template, context=self. context_data, language=language) else: mail.send(to, template=self.template, context=self.context_data ) except EmailTemplate.DoesNotExist: msg = 'Trying to use a non existent email template {0}'.format(self .template) LOGGER.error('Trying to use a non existent email template {0}'. format(self.template))
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to, language=None, **data):\n self.data = data\n self.get_context_data()\n if app_settings['SEND_EMAILS']:\n try:\n if languag...
def x(self): params = {} params['access_token'] = self.access_token params['account_id'] = self.account_id return params
params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n params['access_token'] = self.access_token\n params['account_id'] = self.account_id\n return params\n", "role": "user" ...
def x(self): data = {} data['name'] = self.name data['query'] = self.queryd data['languages'] = self.languages data['countries'] = self.countries if self.countries else '' data['sources'] = self.sources if self.sources else '' data['blocked_sites'] = self.blocked_sites if self.blocked_sites else '' data['noise_detection' ] = self.noise_detection if self.noise_detection else '' data['reviews_pages'] = self.reviews_pages if self.reviews_pages else '' for key, value in list(data.items()): if value == '': del data[key] data = json.dumps(data) return data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = {}\n data['name'] = self.name\n data['query'] = self.queryd\n data['languages'] = self.languages\n data['countries'] = self.coun...
def x(self): params = {} params['access_token'] = self.access_token params['account_id'] = self.account_id params['alert_id'] = self.alert_id if self.since_id: params['since_id'] = self.since_id else: params['before_date'] = self.before_date if self.before_date else '' params['not_before_date' ] = self.not_before_date if self.before_date else '' params['cursor'] = self.cursor if self.cursor else '' if self.unread: params['unread'] = self.unread else: if self.favorite and (self.folder == 'inbox' or self.folder == 'archive'): params['favorite'] = self.favorite params['folder'] = self.folder else: params['folder'] = self.folder if self.folder else '' params['q'] = self.q if self.q else '' params['tone'] = self.tone if self.tone else '' if int(self.limit) > 1000: params['limit'] = '1000' elif int(self.limit) < 1: params['limit'] = '' else: params['limit'] = self.limit params['source'] = self.source if self.source else '' params['countries'] = self.countries if self.countries else '' params['include_children' ] = self.include_children if self.include_children else '' params['sort'] = self.sort if self.sort else '' params['languages'] = self.languages if self.languages else '' params['timezone'] = self.timezone if self.timezone else '' for key, value in list(params.items()): if value == '': del params[key] return params
params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n params['access_token'] = self.access_token\n params['account_id'] = self.account_id\n params['alert_id'] = self.alert_id\n ...
def x(self): params = {} params['access_token'] = self.access_token params['account_id'] = self.account_id params['alert_id'] = self.alert_id params['mention_id'] = self.mention_id params['before_date'] = self.before_date if self.before_date else '' if self.limit: if int(self.limit) > 1000: params['limit'] = '1000' elif int(self.limit) < 1: params['limit'] = '' else: params['limit'] = self.limit return params
params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n params = {}\n params['access_token'] = self.access_token\n params['account_id'] = self.account_id\n params['alert_id'] = self.alert_id\n ...
def x(self): end_url = ( '/accounts/{account_id}/alerts/{alert_id}/mentions/{mention_id}/children?' ) def x(d, keys): return {x: d[x] for x in d if x not in keys} keys = {'access_token', 'account_id', 'alert_id'} parameters = without_keys(self.params, keys) for key, value in list(parameters.items()): if value != '': end_url += '&' + key + '={' + key + '}' end_url = end_url.format(**self.params) return self._base_url + end_url
url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n end_url = (\n '/accounts/{account_id}/alerts/{alert_id}/mentions/{mention_id}/children?'\n )\n\n def x(d, keys):\n return {...
def x(self): data = {} data['favorite'] = self.favorite if self.favorite else '' data['trashed'] = self.trashed if self.trashed else '' data['read'] = self.read if self.read else '' data['tags'] = self.tags if self.tags else '' data['folder'] = self.folder if self.folder else '' data['tone'] = self.tone if self.tone else '' for key, value in list(data.items()): if value == '': del data[key] data = json.dumps(data) return data
data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = {}\n data['favorite'] = self.favorite if self.favorite else ''\n data['trashed'] = self.trashed if self.trashed else ''\n data['rea...
def x(command, collect_missing=False, silent=True): return (_execCommand if silent else execCommand)(shlex.split(command), collect_missing)
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(command, collect_missing=False, silent=True):\n return (_execCommand if silent else execCommand)(shlex.split(command),\n collect_missing)\n", "ro...
def x(TargetGroup, NewMember, Config=None, Args=None): Member = Task(NewMember, Args or {}, Config or {}) if isfunction(NewMember ) else Group(NewMember, Config or {}) ParentMembers = TargetGroup.__ec_member__.Members ParentMembers[Member.Config['name']] = Member alias = Member.Config.get('alias') if alias: ParentMembers[alias] = Member
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(TargetGroup, NewMember, Config=None, Args=None):\n Member = Task(NewMember, Args or {}, Config or {}) if isfunction(NewMember\n ) else Group(NewMembe...
def x(files, status): for file_name in files: args = ['flake8', '--max-line-length=120', '{0}'.format(file_name)] output = run(*args) if output: status.append('Python PEP8/Flake8: {0}: {1}'.format(file_name, output)) return status
do_check_pep8
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, status):\n for file_name in files:\n args = ['flake8', '--max-line-length=120', '{0}'.format(file_name)]\n output = run(*args)\n ...
def x(func, files, status): for file_name in files: with open(file_name, 'r') as f: output = func.parse(f.read(), file_name) if output: status.append('{0}: {1}'.format(file_name, output)) return status
do_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, files, status):\n for file_name in files:\n with open(file_name, 'r') as f:\n output = func.parse(f.read(), file_name)\n if o...
def x(status): dirs_to_check = './vars', './handlers', './defaults', './tasks' for dirpath, dirname, filename in os.walk('.'): if dirpath == './files' or dirpath == './templates': if not any([dirname, filename]): status.append( 'There are no files in the {0} directory. please remove directory' .format(dirpath)) if dirpath in dirs_to_check: try: joined_filename = os.path.join(dirpath, 'main.yml') with open(joined_filename, 'r') as f: if re.match('^---\\n# \\S+ file for \\S+\\n$', f.read()): status.append( 'Empty file, please remove file and directory: {0}' .format(joined_filename)) except IOError: pass return status
check_for_empty_defaults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(status):\n dirs_to_check = './vars', './handlers', './defaults', './tasks'\n for dirpath, dirname, filename in os.walk('.'):\n if dirpath == './fi...
def x(cls: Type[RevocationType], version: int, currency: str, inline: str ) ->RevocationType: cert_data = Revocation.re_inline.match(inline) if cert_data is None: raise MalformedDocumentError('Revokation') pubkey = cert_data.group(1) signature = cert_data.group(2) return cls(version, currency, pubkey, signature)
from_inline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[RevocationType], version: int, currency: str, inline: str\n ) ->RevocationType:\n cert_data = Revocation.re_inline.match(inline)\n if cert_d...
def x(cls: Type[RevocationType], signed_raw: str) ->RevocationType: lines = signed_raw.splitlines(True) n = 0 version = int(Revocation.parse_field('Version', lines[n])) n += 1 Revocation.parse_field('Type', lines[n]) n += 1 currency = Revocation.parse_field('Currency', lines[n]) n += 1 issuer = Revocation.parse_field('Issuer', lines[n]) n += 1 identity_uid = Revocation.parse_field('IdtyUniqueID', lines[n]) n += 1 identity_timestamp = Revocation.parse_field('IdtyTimestamp', lines[n]) n += 1 identity_signature = Revocation.parse_field('IdtySignature', lines[n]) n += 1 signature = Revocation.parse_field('Signature', lines[n]) n += 1 identity = Identity(version, currency, issuer, identity_uid, identity_timestamp, identity_signature) return cls(version, currency, identity, signature)
from_signed_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[RevocationType], signed_raw: str) ->RevocationType:\n lines = signed_raw.splitlines(True)\n n = 0\n version = int(Revocation.parse_field('Ve...
def x(signed_raw: str) ->Identity: lines = signed_raw.splitlines(True) n = 0 version = int(Revocation.parse_field('Version', lines[n])) n += 1 Revocation.parse_field('Type', lines[n]) n += 1 currency = Revocation.parse_field('Currency', lines[n]) n += 1 issuer = Revocation.parse_field('Issuer', lines[n]) n += 1 unique_id = Revocation.parse_field('IdtyUniqueID', lines[n]) n += 1 timestamp = Revocation.parse_field('IdtyTimestamp', lines[n]) n += 1 signature = Revocation.parse_field('IdtySignature', lines[n]) n += 1 return Identity(version, currency, issuer, unique_id, timestamp, signature)
extract_self_cert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(signed_raw: str) ->Identity:\n lines = signed_raw.splitlines(True)\n n = 0\n version = int(Revocation.parse_field('Version', lines[n]))\n n += 1\n ...
def x(self) ->str: if not isinstance(self.identity, Identity): raise MalformedDocumentError( 'Can not return full revocation document created from inline') return ( """Version: {version} Type: Revocation Currency: {currency} Issuer: {pubkey} IdtyUniqueID: {uid} IdtyTimestamp: {timestamp} IdtySignature: {signature} """ .format(version=self.version, currency=self.currency, pubkey=self. identity.pubkey, uid=self.identity.uid, timestamp=self.identity. timestamp, signature=self.identity.signatures[0]))
raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n if not isinstance(self.identity, Identity):\n raise MalformedDocumentError(\n 'Can not return full revocation document crea...
def x(self, keys: list) ->None: if not isinstance(self.identity, Identity): raise MalformedDocumentError( 'Can not return full revocation document created from inline') self.signatures = [] for key in keys: signing = base64.b64encode(key.signature(bytes(self.raw(), 'ascii'))) self.signatures.append(signing.decode('ascii'))
sign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keys: list) ->None:\n if not isinstance(self.identity, Identity):\n raise MalformedDocumentError(\n 'Can not return full revocation ...
def x(self) ->str: if not isinstance(self.identity, Identity): raise MalformedDocumentError( 'Can not return full revocation document created from inline') raw = self.raw() signed = '\n'.join(self.signatures) signed_raw = raw + signed + '\n' return signed_raw
signed_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->str:\n if not isinstance(self.identity, Identity):\n raise MalformedDocumentError(\n 'Can not return full revocation document crea...
def x(text): if text: text = html2text.html2text(clean_markdown(text)) return re.sub('\\s+', ' ', text).strip()
clean_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n if text:\n text = html2text.html2text(clean_markdown(text))\n return re.sub('\\\\s+', ' ', text).strip()\n", "role": "user" }, ...
def x(text): result = text if isinstance(text, str): result = ''.join(BeautifulSoup(markdown(text), 'lxml').findAll(text =True)) return result
clean_markdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n result = text\n if isinstance(text, str):\n result = ''.join(BeautifulSoup(markdown(text), 'lxml').findAll(text\n =True))\n ...
def x(char): regexp = '{}'.format(char) if not isinstance(char, str) and not isinstance(char, int): regexp = '' if isinstance(char, str) and not char.isalpha() and not char.isdigit(): regexp = '\\{}'.format(char) return regexp
select_regexp_char
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(char):\n regexp = '{}'.format(char)\n if not isinstance(char, str) and not isinstance(char, int):\n regexp = ''\n if isinstance(char, str) and ...
def x(text, exclusion=None): exclusion = [] if exclusion is None else exclusion regexp = '|'.join([select_regexp_char(x) for x in exclusion]) or '' return re.sub(regexp, '', text)
exclude_chars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, exclusion=None):\n exclusion = [] if exclusion is None else exclusion\n regexp = '|'.join([select_regexp_char(x) for x in exclusion]) or ''\n re...
def x(text): normalized_str = unicodedata.normalize('NFD', text) return ''.join([c for c in normalized_str if unicodedata.category(c) != 'Mn'])
strip_accents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n normalized_str = unicodedata.normalize('NFD', text)\n return ''.join([c for c in normalized_str if unicodedata.category(c) !=\n 'Mn'])\n"...
def x(text, exclusion=OPERATIONS_EXCLUSION, lower=True, separate_char='-', **kwargs): clean_str = re.sub('[^\\w{}]'.format(''.join(exclusion)), separate_char, text.strip()) or '' clean_lowerbar = clean_str_without_accents = strip_accents(clean_str) if '_' not in exclusion: clean_lowerbar = re.sub('\\_', separate_char, clean_str_without_accents.strip()) limit_guion = re.sub('\\-+', separate_char, clean_lowerbar.strip()) if limit_guion and separate_char and separate_char in limit_guion[0]: limit_guion = limit_guion[1:] if limit_guion and separate_char and separate_char in limit_guion[-1]: limit_guion = limit_guion[:-1] if lower: limit_guion = limit_guion.lower() return limit_guion
normalizer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, exclusion=OPERATIONS_EXCLUSION, lower=True, separate_char='-',\n **kwargs):\n clean_str = re.sub('[^\\\\w{}]'.format(''.join(exclusion)), separate_...
def x(dictionary, **kwargs): result = {} if isinstance(dictionary, dict): keys = list(dictionary.keys()) for key in keys: result[normalizer(key, **kwargs)] = normalize_dict(dictionary. get(key), **kwargs) else: result = dictionary return result
normalize_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dictionary, **kwargs):\n result = {}\n if isinstance(dictionary, dict):\n keys = list(dictionary.keys())\n for key in keys:\n re...
def x(data_type): known = {u'address': u'addresses', u'company': u'companies'} if data_type in known.keys(): return known[data_type] else: return u'%ss' % data_type
pluralize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_type):\n known = {u'address': u'addresses', u'company': u'companies'}\n if data_type in known.keys():\n return known[data_type]\n else:\n ...
def x(properties_dict): new_dict = dict() for key in properties_dict.keys(): value = properties_dict[key] if value is not None: new_dict[key] = value return new_dict
remove_properties_containing_None
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(properties_dict):\n new_dict = dict()\n for key in properties_dict.keys():\n value = properties_dict[key]\n if value is not None:\n ...
def x(d): top = type('CreateSendModel', (object,), d) seqs = tuple, list, set, frozenset for i, j in d.items(): if isinstance(j, dict): setattr(top, i, dict_to_object(j)) elif isinstance(j, seqs): setattr(top, i, type(j)(dict_to_object(sj) if isinstance(sj, dict) else sj for sj in j)) else: setattr(top, i, j) return top
dict_to_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n top = type('CreateSendModel', (object,), d)\n seqs = tuple, list, set, frozenset\n for i, j in d.items():\n if isinstance(j, dict):\n ...
def x(R_dist, Prot_dist, N=10000.0, alpha=0.23, l0=20, sigl=20): ls = stats.norm(l0, sigl).rvs(N) Prots = Prot_dist.rvs(N) Prots *= diff_Prot_factor(ls, alpha) return R_dist.rvs(N) * 2 * np.pi * RSUN / (Prots * DAY) / 100000.0
veq_samples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(R_dist, Prot_dist, N=10000.0, alpha=0.23, l0=20, sigl=20):\n ls = stats.norm(l0, sigl).rvs(N)\n Prots = Prot_dist.rvs(N)\n Prots *= diff_Prot_factor(l...
def x(z, R, dR, P, dP): R *= 2 * pi * RSUN dR *= 2 * pi * RSUN P *= DAY dP *= DAY exp1 = -P ** 2 / (2 * dP ** 2) - R ** 2 / (2 * dR ** 2) exp2 = (dR ** 2 * P + dP ** 2 * R * (z * 100000.0)) ** 2 / (2 * dP ** 2 * dR ** 2 * (dR ** 2 + dP ** 2 * (z * 100000.0) ** 2)) nonexp_term = 2 * dP * dR * np.sqrt(dR ** 2 + dP ** 2 * (z * 100000.0) ** 2 ) return 100000.0 / (4 * pi * (dR ** 2 + dP ** 2 * (z * 100000.0) ** 2) ** (3 / 2)) * np.exp(exp1 + exp2) * (dR ** 2 * P * np.sqrt(2 * pi) + dP ** 2 * np.sqrt(2 * pi) * R * (z * 100000.0) + nonexp_term * np. exp(-exp2) + np.sqrt(2 * pi) * (dR ** 2 * P + dP ** 2 * R * (z * 100000.0)) * erf((dR ** 2 * P + dP ** 2 * R * (z * 100000.0)) * (np .sqrt(2) * dP * dR * np.sqrt(dR ** 2 + dP ** 2 * (z * 100000.0) ** 2))) )
fveq
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(z, R, dR, P, dP):\n R *= 2 * pi * RSUN\n dR *= 2 * pi * RSUN\n P *= DAY\n dP *= DAY\n exp1 = -P ** 2 / (2 * dP ** 2) - R ** 2 / (2 * dR ** 2)\n ...
def x(): lib_dir = os.path.join(os.environ['CONTAINER_DIR'], '_lib') if os.path.exists(lib_dir): shutil.rmtree(lib_dir) os.mkdir(lib_dir)
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n lib_dir = os.path.join(os.environ['CONTAINER_DIR'], '_lib')\n if os.path.exists(lib_dir):\n shutil.rmtree(lib_dir)\n os.mkdir(lib_dir)\n",...
def x(): venv_dir = get_project_venv_dir() if os.path.exists(venv_dir): return VirtualEnv(venv_dir) else: return create_project_venv()
get_or_create_project_venv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n venv_dir = get_project_venv_dir()\n if os.path.exists(venv_dir):\n return VirtualEnv(venv_dir)\n else:\n return create_project_venv...
def x(): print('... creating project-level virtualenv') venv_dir = get_project_venv_dir() if os.path.exists(venv_dir): raise Exception('ERROR: virtualenv already exists!') use_venv_module = sys.version_info >= (3, 0 ) and 'APE_USE_VIRTUALENV' not in os.environ VirtualEnv.create_virtualenv(venv_dir, use_venv_module=use_venv_module) print('... virtualenv successfully created') return VirtualEnv(venv_dir)
create_project_venv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('... creating project-level virtualenv')\n venv_dir = get_project_venv_dir()\n if os.path.exists(venv_dir):\n raise Exception('ERROR...
def x(repo_url, branch='master', reuse_existing=False): repo_name = get_repo_name(repo_url) lib_dir = get_lib_dir() pool_dir = get_pool_dir(repo_name) print('... fetching %s ' % repo_name) if os.path.exists(pool_dir): if not reuse_existing: raise Exception('ERROR: repository already exists') else: try: a = call(['git', 'clone', repo_url], cwd=lib_dir) except OSError: raise Exception( 'ERROR: You probably dont have git installed: sudo apt-get install git' ) if a != 0: raise Exception('ERROR: check your repository url and credentials!' ) try: call(['git', 'checkout', branch], cwd=pool_dir) except OSError: raise Exception('ERROR: cannot switch branches') print('... repository successfully cloned') return FeaturePool(pool_dir)
fetch_pool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_url, branch='master', reuse_existing=False):\n repo_name = get_repo_name(repo_url)\n lib_dir = get_lib_dir()\n pool_dir = get_pool_dir(repo_name)...
def x(fn): return type(fn)(getattr(fn, 'func_code', getattr(fn, '__code__')), { '__builtins__': builtins}, getattr(fn, 'func_name', getattr(fn, '__name__')), getattr(fn, 'func_defaults', getattr(fn, '__defaults__')), getattr(fn, 'func_closure', getattr(fn, '__closure__')))
noglobals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n return type(fn)(getattr(fn, 'func_code', getattr(fn, '__code__')), {\n '__builtins__': builtins}, getattr(fn, 'func_name', getattr(fn,\n ...
def x(values, args): if isinstance(args, dict): return {key: value for key, value in ((k, exclude_values(values, v) ) for k, v in args.items()) if value not in values} elif isinstance(args, list): return [item for item in [exclude_values(values, i) for i in args] if item not in values] return args
exclude_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, args):\n if isinstance(args, dict):\n return {key: value for key, value in ((k, exclude_values(values, v)\n ) for k, v in args.ite...
def x(source, path, separator='[/.]'): return _get_element_by_names(source, re.split(separator, path))
get_element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, path, separator='[/.]'):\n return _get_element_by_names(source, re.split(separator, path))\n", "role": "user" }, { "content": "get_eleme...
def x(source, names): if source is None: return source else: if names: head, *rest = names if isinstance(source, dict) and head in source: return _get_element_by_names(source[head], rest) elif isinstance(source, list) and head.isdigit(): return _get_element_by_names(source[int(head)], rest) elif not names[0]: pass else: source = None return source
get_element_by_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, names):\n if source is None:\n return source\n else:\n if names:\n head, *rest = names\n if isinstance(source...
def x(source, path, value, separator='[/.]', **kwargs): return _add_element_by_names(source, exclude_empty_values(re.split( separator, path)), value, **kwargs)
add_element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, path, value, separator='[/.]', **kwargs):\n return _add_element_by_names(source, exclude_empty_values(re.split(\n separator, path)), value, *...
def x(src, names, value, override=False, digit=True): if src is None: return False else: if names and names[0]: head, *rest = names if isinstance(src, list): if force_list(digit)[0] and head.isdigit(): head = int(head) if len(src) <= head: src.extend([''] * (head + 1 - len(src))) elif isinstance(src, dict): if head not in src: src[head] = [''] * (int(rest[0]) + 1 ) if rest and force_list(digit)[0] and rest[0].isdigit( ) else {} if rest: if not isinstance(src[head], (dict, list)): src[head] = [''] * (int(rest[0]) + 1) if force_list(digit)[ 0] and rest[0].isdigit() else {} digit = digit if not digit or not isinstance(digit, list ) else digit[1:] if not force_list(digit)[0] and rest and str(rest[0] ).isdigit() and isinstance(src[head], list ) and override: src[head] = {} _add_element_by_names(src[head], rest, value, override= override, digit=digit) else: digit = digit if not digit or not isinstance(digit, list ) else digit[1:] if not force_list(digit)[0] and rest and str(rest[0] ).isdigit() and isinstance(src[head], list ) and override: src[head] = {} _add_element_by_names(src[head], rest, value, override= override, digit=digit) elif not override: if isinstance(src, list) and isinstance(head, int): if src[head] == '': src[head] = value else: src.append(value) elif isinstance(src[head], list): src[head].append(value) elif isinstance(src[head], dict) and isinstance(value, dict): src[head].update(value) else: src[head] = value else: src[head] = value return src
add_element_by_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(src, names, value, override=False, digit=True):\n if src is None:\n return False\n else:\n if names and names[0]:\n head, *rest ...
def x(dic, format_list, separator=',', default_value=str): dic = collections.defaultdict(default_value, dic) str_format = separator.join([('{' + '{}'.format(head) + '}') for head in format_list]) return str_format.format(**dic)
format_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dic, format_list, separator=',', default_value=str):\n dic = collections.defaultdict(default_value, dic)\n str_format = separator.join([('{' + '{}'.forma...
def x(element): if element is None: return [] if isinstance(element, (collections.Iterator, list)): return element return [element]
force_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element):\n if element is None:\n return []\n if isinstance(element, (collections.Iterator, list)):\n return element\n return [element]\...
def x(lista, size): if not isinstance(lista, list): logger.error('Erron in chunks, arg introduced is not a list.', lista=lista) return lista for i in range(0, len(lista), size): yield lista[i:i + size]
chunks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lista, size):\n if not isinstance(lista, list):\n logger.error('Erron in chunks, arg introduced is not a list.',\n lista=lista)\n r...
def x(data, parent_key='', sep='_'): items = [] if isinstance(data, list): logger.debug('Flattening list {}'.format(data)) list_keys = [str(i) for i in range(0, len(data))] items.extend(flatten(dict(zip(list_keys, data)), parent_key, sep= sep).items()) elif isinstance(data, dict): logger.debug('Flattening dict {}'.format(data)) for key, value in data.items(): new_key = parent_key + sep + key if parent_key else key if isinstance(value, collections.MutableMapping): items.extend(flatten(value, new_key, sep=sep).items()) elif isinstance(value, list): list_keys = [str(i) for i in range(0, len(value))] items.extend(flatten(dict(zip(list_keys, value)), new_key, sep=sep).items()) else: items.append((new_key, value)) else: logger.debug('Nothing to flatten with {}'.format(data)) return data return collections.OrderedDict(items)
flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, parent_key='', sep='_'):\n items = []\n if isinstance(data, list):\n logger.debug('Flattening list {}'.format(data))\n list_keys = [s...
def x(path, dic, exclusion=None): result = [] exclusion = ['__self'] if exclusion is None else exclusion for key, value in dic.items(): if not any([(exclude in key) for exclude in exclusion]): if isinstance(value, dict): aux = path + key + '/' result.extend(nested_dict_to_list(aux, value)) else: if path.endswith('/'): path = path[:-1] result.append([path, key, value]) return result
nested_dict_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, dic, exclusion=None):\n result = []\n exclusion = ['__self'] if exclusion is None else exclusion\n for key, value in dic.items():\n if no...
def x(attr, obj): if isinstance(obj, (collections.Iterator, list)): for item in obj: yield from find_value_in_object(attr, item) elif isinstance(obj, collections.Mapping): if attr in obj: if isinstance(obj[attr], (collections.Iterator, list)): for item in obj[attr]: yield item else: yield obj[attr] for item in obj.values(): if item: yield from find_value_in_object(attr, item)
find_value_in_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attr, obj):\n if isinstance(obj, (collections.Iterator, list)):\n for item in obj:\n yield from find_value_in_object(attr, item)\n elif...
def x(lista, unique=False): result = [] allready = [] for elem in lista: if elem not in result: result.append(elem) else: allready.append(elem) if unique: for elem in allready: result = list(filter(elem.__ne__, result)) return result
remove_list_duplicates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lista, unique=False):\n result = []\n allready = []\n for elem in lista:\n if elem not in result:\n result.append(elem)\n els...
def x(dic, order_list, default='', **kwargs): result = [] for key_order in order_list: value = get_element(dic, key_order, **kwargs) result.append(value if value is not None else default) return result
dict2orderedlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dic, order_list, default='', **kwargs):\n result = []\n for key_order in order_list:\n value = get_element(dic, key_order, **kwargs)\n resu...
def x(data): result = [0, 0] if isinstance(data, list): result = get_dimension_array(data) elif isinstance(data, dict): result = get_dimension_dict(data) return result
get_dimension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n result = [0, 0]\n if isinstance(data, list):\n result = get_dimension_array(data)\n elif isinstance(data, dict):\n result = get...
def x(array): if all(isinstance(el, list) for el in array): result = [len(array), len(max([x for x in array], key=len))] else: result = [len(array), 1] return result
get_dimension_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array):\n if all(isinstance(el, list) for el in array):\n result = [len(array), len(max([x for x in array], key=len))]\n else:\n result = [...
def x(ldict, flatten_keys=False, **kwargs): result = [] for ddict in ldict: if isinstance(ddict, dict): if flatten_keys: ddict = flatten(ddict, **kwargs) result.extend(ddict.keys()) return list(set(result))
get_ldict_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ldict, flatten_keys=False, **kwargs):\n result = []\n for ddict in ldict:\n if isinstance(ddict, dict):\n if flatten_keys:\n ...
def x(ddict, parent=None): parent = [] if parent is None else parent if not isinstance(ddict, dict): return [tuple(parent)] return reduce(list.__add__, [get_alldictkeys(v, parent + [k]) for k, v in ddict.items()], [])
get_alldictkeys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ddict, parent=None):\n parent = [] if parent is None else parent\n if not isinstance(ddict, dict):\n return [tuple(parent)]\n return reduce(lis...
def x(ddict, exclusions=None): exclusions = [] if exclusions is None else exclusions if not isinstance(ddict, dict): return {} for key in list(ddict.keys()): if [incl for incl in exclusions if incl in key]: data = ddict.pop(key) clean_key = exclude_chars(key, exclusions) if clean_key: if clean_key in ddict: ddict[clean_key] = force_list(ddict[clean_key]) add_element(ddict, clean_key, data) else: ddict[clean_key] = data if isinstance(ddict.get(key), dict): ddict[key] = clean_dictkeys(ddict[key], exclusions) elif isinstance(ddict.get(key), list): for row in ddict[key]: if isinstance(row, dict): row = clean_dictkeys(row, exclusions) return ddict
clean_dictkeys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ddict, exclusions=None):\n exclusions = [] if exclusions is None else exclusions\n if not isinstance(ddict, dict):\n return {}\n for key in lis...
def x(previous_token=None): if previous_token != None: headers = server_connection.request('authenticate', { 'session_token': previous_token, 'repository': config[ 'repository']})[1] if headers['status'] == 'ok': return previous_token headers = server_connection.request('begin_auth', {'repository': config ['repository']})[1] if headers['status'] == 'ok': signature = base64.b64encode(pysodium.crypto_sign_detached(headers[ 'auth_token'].decode('utf-8'), config['private_key'])) headers = server_connection.request('authenticate', {'auth_token': headers['auth_token'], 'signature': signature, 'user': config[ 'user'], 'repository': config['repository']})[1] if headers['status'] == 'ok': return headers['session_token'] raise SystemExit('Authentication failed')
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(previous_token=None):\n if previous_token != None:\n headers = server_connection.request('authenticate', {\n 'session_token': previous_tok...
def x(): manifest = data_store.read_local_manifest() old_state = manifest['files'] current_state = get_file_list(config['data_dir']) current_state = [fle for fle in current_state if not next((True for flter in config['ignore_filters'] if fnmatch.fnmatch(fle['path'], flter)), False)] return manifest, find_manifest_changes(current_state, old_state)
find_local_changes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n manifest = data_store.read_local_manifest()\n old_state = manifest['files']\n current_state = get_file_list(config['data_dir'])\n current_stat...
def x(action): sub = _subparsers.add_parser(action.meta('cmd'), help=action.meta('help')) sub.set_defaults(cmd=action.meta('cmd')) for name, arg in action.props().items(): sub.add_argument(arg.name, arg.flag, **arg.options) _actions[action.meta('cmd')] = action
register_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(action):\n sub = _subparsers.add_parser(action.meta('cmd'), help=action.meta('help'))\n sub.set_defaults(cmd=action.meta('cmd'))\n for name, arg in ac...
def x(*args, **kwargs): cmd = _parser.parse_args(*args, **kwargs) if hasattr(cmd, 'cmd') is False: return _parser.print_help() Action = _actions.get(cmd.cmd) action = Action() try: action(**{k: getattr(cmd, k) for k in action.props().keys()}) except errors.BaseError as e: e.print_error()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n cmd = _parser.parse_args(*args, **kwargs)\n if hasattr(cmd, 'cmd') is False:\n return _parser.print_help()\n Action = _acti...