source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, name, app, revision=None, batch_input=None, batch_by=None, inputs=None, description=None, run=False, disable_batch=False, interruptible=True, execution_settings=None): return self._api.tasks.create(name=name, project=self, app=app, revision=revision, batch_input=batch_input, batch_by=batch_by, inputs=inputs, description=description, run=run, disable_batch= disable_batch, interruptible=interruptible, execution_settings= execution_settings)
create_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, app, revision=None, batch_input=None, batch_by=None,\n inputs=None, description=None, run=False, disable_batch=False,\n interruptible=True, e...
def x(form, field): if not is_valid_mail(field.data, multi=False) and not re.match( '^[a-zA-Z0-9]{13}$', field.data): raise ValidationError(_('Invalid email address / paypal ID'))
validate_business
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(form, field):\n if not is_valid_mail(field.data, multi=False) and not re.match(\n '^[a-zA-Z0-9]{13}$', field.data):\n raise ValidationError(_(...
def x(path, session, url, retry, timeout, start_byte, end_byte): try: fp = os.open(path, os.O_CREAT | os.O_WRONLY) except IOError: raise SbgError('Unable to open file %s' % path) headers = {} if end_byte is not None: headers['Range'] = 'bytes=%d-%d' % (int(start_byte), int(end_byte)) cause = None for retry in range(retry): try: response = session.get(url, headers=headers, timeout=timeout, stream=True) response.raise_for_status() part_size = response.headers.get('Content-Length') os.lseek(fp, start_byte, os.SEEK_SET) for part in response.iter_content(32 * PartSize.KB): os.write(fp, part) os.close(fp) except requests.HTTPError as e: cause = e time.sleep(2 ** retry) continue except requests.RequestException as e: cause = e time.sleep(2 ** retry) continue else: return Part(start=start_byte, size=float(part_size)) else: os.close(fp) raise SbgError( 'Failed to download file after {} attempts. Response: {}'. format(retry, six.text_type(cause)))
download_part
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, session, url, retry, timeout, start_byte, end_byte):\n try:\n fp = os.open(path, os.O_CREAT | os.O_WRONLY)\n except IOError:\n raise ...
def x(self): futures = [] while self.submitted < 4 and not self.done(): part = self.parts.pop(0) futures.append(self.pool.submit(_download_part, self.file_path, self.session, self.url, self.retry, self.timeout, *part)) self.submitted += 1 self.total_submitted += 1 return futures
submit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n futures = []\n while self.submitted < 4 and not self.done():\n part = self.parts.pop(0)\n futures.append(self.pool.submit(_downloa...
def x(self): parts = [] start_b = 0 end_byte = start_b + PartSize.DOWNLOAD_MINIMUM_PART_SIZE - 1 for i in range(self.total): parts.append([start_b, end_byte]) start_b = end_byte + 1 end_byte = start_b + PartSize.DOWNLOAD_MINIMUM_PART_SIZE - 1 return parts
get_parts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n parts = []\n start_b = 0\n end_byte = start_b + PartSize.DOWNLOAD_MINIMUM_PART_SIZE - 1\n for i in range(self.total):\n parts.appen...
def x(self): if self._status == TransferState.RUNNING: self._running.clear() self._status = TransferState.PAUSED else: raise SbgError('Can not pause. Download not in RUNNING state.')
pause
[ { "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._status == TransferState.RUNNING:\n self._running.clear()\n self._status = TransferState.PAUSED\n else:\n raise Sbg...
def x(self): if self.status in (TransferState.PAUSED, TransferState.RUNNING): self._stop_signal = True self.join() self._status = TransferState.STOPPED if self._callback: return self._callback(self._status) else: raise SbgError('Can not stop. Download not in PAUSED or RUNNING state.' )
stop
[ { "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.status in (TransferState.PAUSED, TransferState.RUNNING):\n self._stop_signal = True\n self.join()\n self._status = Tra...
def x(self): if self._status != TransferState.PAUSED: self._running.set() self._status = TransferState.RUNNING else: raise SbgError('Can not pause. Download not in PAUSED state.')
resume
[ { "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._status != TransferState.PAUSED:\n self._running.set()\n self._status = TransferState.RUNNING\n else:\n raise SbgEr...
def x(self): if self._status == TransferState.PREPARING: self._running.set() super(Download, self).start() self._status = TransferState.RUNNING self._time_started = time.time() else: raise SbgError('Unable to start. Download not in PREPARING state.')
start
[ { "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._status == TransferState.PREPARING:\n self._running.set()\n super(Download, self).start()\n self._status = TransferSta...
def x(self): self._running.set() self._status = TransferState.RUNNING self._time_started = time.time() parted_file = DPartedFile(self._temp_file, self._session, self.url, self._file_size, self._part_size, self._retry_count, self._timeout, self._api.download_pool) try: for part in parted_file: if self._stop_signal: return self._running.wait() self._bytes_done += part.size if self._progress_callback: progress = Progress(parted_file.total, parted_file. total_submitted, self._bytes_done, self._file_size, self.duration) self._progress_callback(progress) except Exception as exc: if self._errorback: return self._errorback(exc) else: raise SbgError('Download failed! %s' % str(exc)) self._status = TransferState.COMPLETED try: os.rename(self._temp_file, self._file_path) except Exception: raise SbgError('Unable to rename the file.') if self._callback: return self._callback(self._status)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._running.set()\n self._status = TransferState.RUNNING\n self._time_started = time.time()\n parted_file = DPartedFile(self._temp_file,...
def x(self): file_size = retry(self._retry_count)(_get_content_length)(self._session, self.url, self._timeout) file_size = int(file_size) if file_size == 0: with io.open(self._file_path, 'a', encoding='utf-8'): pass return file_size
get_file_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n file_size = retry(self._retry_count)(_get_content_length)(self._session,\n self.url, self._timeout)\n file_size = int(file_size)\n if ...
def x(self): if self.uploader is None: raise NotImplementedError records = self.fetch_records() uploader = self.uploader(self) LiveSyncPlugin.logger.info('Uploading %d records', len(records)) uploader.run(records) self.update_last_run()
run
[ { "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.uploader is None:\n raise NotImplementedError\n records = self.fetch_records()\n uploader = self.uploader(self)\n LiveSyncP...
def x(self, events): if self.uploader is None: raise NotImplementedError uploader = self.uploader(self) uploader.run_initial(events)
run_initial_export
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, events):\n if self.uploader is None:\n raise NotImplementedError\n uploader = self.uploader(self)\n uploader.run_initial(events)\n", ...
def x(quiet=False): from indico_chat.plugin import ChatPlugin settings = ChatPlugin.settings.get_all() missing = not all(settings[x] for x in ('server', 'muc_server', 'bot_jid', 'bot_password')) if missing and not quiet: raise IndicoError(_('Chat plugin is not configured properly')) return not missing
check_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(quiet=False):\n from indico_chat.plugin import ChatPlugin\n settings = ChatPlugin.settings.get_all()\n missing = not all(settings[x] for x in ('server...
def x(user): from indico_chat.plugin import ChatPlugin return ChatPlugin.settings.acls.contains_user('admins', user)
is_chat_admin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user):\n from indico_chat.plugin import ChatPlugin\n return ChatPlugin.settings.acls.contains_user('admins', user)\n", "role": "user" }, { "c...
def x(item, api): if isinstance(item, list): return [map_input_output(it, api) for it in item] elif isinstance(item, dict) and 'class' in item: if item['class'].lower() == 'file': return File(id=item['path'], api=api) else: return item
map_input_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item, api):\n if isinstance(item, list):\n return [map_input_output(it, api) for it in item]\n elif isinstance(item, dict) and 'class' in item:\n ...
def x(method): def x(obj, *args, **kwargs): in_place = True if kwargs.get('inplace') in (True, None) else False api_object = method(obj, *args, **kwargs) if in_place and api_object: obj._data = api_object._data obj._dirty = api_object._dirty obj._data.fetched = False return obj elif api_object: return api_object else: return obj return wrapped
inplace_reload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n\n def x(obj, *args, **kwargs):\n in_place = True if kwargs.get('inplace') in (True, None) else False\n api_object = method(obj, *ar...
def x(excs, retry_count=3, delay=5): def x(f): @functools.wraps(f) def x(*args, **kwargs): for i in range(0, retry_count): try: return f(*args, **kwargs) except excs: if logger: logger.warning('HTTPError caught.Retrying ...'. format(f.__name__), exc_info=True) time.sleep(delay) else: logger.error('{} failed after {} retries'.format(f.__name__, retry_count)) return f(*args, **kwargs) return deco return wrapper
retry_on_excs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(excs, retry_count=3, delay=5):\n\n def x(f):\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n for i in range(0, retry_count):\n ...
def x(retry_count): def x(f): @functools.wraps(f) def x(*args, **kwargs): for backoff in range(retry_count): try: return f(*args, **kwargs) except Exception: time.sleep(2 ** backoff) else: raise SbgError('{}: failed to complete: {}'.format( threading.current_thread().getName(), f.__name__)) return wrapper return func
retry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(retry_count):\n\n def x(f):\n\n @functools.wraps(f)\n def x(*args, **kwargs):\n for backoff in range(retry_count):\n ...
def x(func): @functools.wraps(func) def x(*args, **kwargs): try: response = func(*args, **kwargs) status_code = response.status_code if status_code in range(200, 204): return response if status_code == 204: return data = response.json() e = {(400): BadRequest, (401): Unauthorized, (403): Forbidden, (404): NotFound, (405): MethodNotAllowed, (408): RequestTimeout, (409): Conflict, (429): TooManyRequests, ( 500): ServerError, (503): ServiceUnavailable}.get(status_code, SbgError)() if 'message' in data: e.message = data['message'] if 'code' in data: e.code = data['code'] if 'status' in data: e.status = data['status'] if 'more_info' in data: e.more_info = data['more_info'] raise e except requests.RequestException as e: raise SbgError(message=six.text_type(e)) except JSONDecodeError: message = ( 'Service might be unavailable. Can also occur by providing too many query parameters.' ) raise_from(ServiceUnavailable(message=six.text_type(message)), None ) except ValueError as e: raise SbgError(message=six.text_type(e)) return wrapper
check_for_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @functools.wraps(func)\n def x(*args, **kwargs):\n try:\n response = func(*args, **kwargs)\n status_code = respon...
def x(self): page = self._load(self.href) while True: try: for item in page._items: yield item page = page.next_page() except PaginationError: break
all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n page = self._load(self.href)\n while True:\n try:\n for item in page._items:\n yield item\n page = p...
def x(self): for link in self.links: if link.rel.lower() == 'next': return self._load(link.href) raise PaginationError('No more entries.')
next_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for link in self.links:\n if link.rel.lower() == 'next':\n return self._load(link.href)\n raise PaginationError('No more entri...
def x(self): for link in self.links: if link.next: return self._load(link.next) raise PaginationError('No more entries.')
next_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for link in self.links:\n if link.next:\n return self._load(link.next)\n raise PaginationError('No more entries.')\n", "ro...
def x(cls, *args, **kwargs): from indico_piwik.plugin import PiwikPlugin if not PiwikPlugin.settings.get('cache_enabled'): return cls(*args, **kwargs).to_serializable() cache = GenericCache('Piwik.Report') key = u'{}-{}-{}'.format(cls.__name__, args, kwargs) report = cache.get(key) if not report: report = cls(*args, **kwargs) cache.set(key, report, PiwikPlugin.settings.get('cache_ttl')) return report.to_serializable()
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, *args, **kwargs):\n from indico_piwik.plugin import PiwikPlugin\n if not PiwikPlugin.settings.get('cache_enabled'):\n return cls(*args, **kwa...
def x(self, start_date=None, end_date=None): self.end_date = end_date self.start_date = start_date if self.end_date is None: today = now_utc().date() end_date = self.event.end_dt.date() self.end_date = end_date if end_date < today else today if self.start_date is None: self.start_date = self.end_date - timedelta(days=ReportBase. default_report_interval)
init_date_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_date=None, end_date=None):\n self.end_date = end_date\n self.start_date = start_date\n if self.end_date is None:\n today = now_utc(...
def x(self): self.metrics = {} queries = {'visits': PiwikQueryReportEventMetricVisits(**self.params), 'unique_visits': PiwikQueryReportEventMetricUniqueVisits(**self. params), 'visit_duration': PiwikQueryReportEventMetricVisitDuration (**self.params), 'referrers': PiwikQueryReportEventMetricReferrers( **self.params), 'peak': PiwikQueryReportEventMetricPeakDateAndVisitors(**self.params)} for query_name, query in queries.iteritems(): self.metrics[query_name] = query.get_result() self._fetch_contribution_info()
build_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.metrics = {}\n queries = {'visits': PiwikQueryReportEventMetricVisits(**self.params),\n 'unique_visits': PiwikQueryReportEventMetric...
def x(self): self.contributions = {} query = Contribution.query.with_parent(self.event).options(joinedload( 'legacy_mapping'), joinedload('timetable_entry').lazyload('*')) for contribution in query: if not contribution.start_dt: continue cid = (contribution.legacy_mapping.legacy_contribution_id if contribution.legacy_mapping else contribution.id) key = '{}t{}'.format(contribution.event_id, cid) self.contributions[key] = u'{} ({})'.format(contribution.title, to_unicode(format_time(contribution.start_dt)))
fetch_contribution_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.contributions = {}\n query = Contribution.query.with_parent(self.event).options(joinedload(\n 'legacy_mapping'), joinedload('timetab...
def x(self, callback): if callback in self._async_callbacks: self._async_callbacks.remove(callback)
remove_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback):\n if callback in self._async_callbacks:\n self._async_callbacks.remove(callback)\n", "role": "user" }, { "content": "rem...
def x(self, attr): changed_attr = [] for key, value in attr.items(): if value is None: continue if getattr(self, '_{0}'.format(key), None) != value: changed_attr.append(key) self.__setattr__('_{0}'.format(key), value) _LOGGER.debug('%s: update %s with %s', self.name, key, value) return changed_attr
update_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attr):\n changed_attr = []\n for key, value in attr.items():\n if value is None:\n continue\n if getattr(self, '_{0}'.form...
def x(cls, type=FeedbackType.IDEA, referrer=None, text=None, api=None): api = api if api else cls._API data = {'type': type, 'text': text, 'referrer': referrer if referrer else six.text_type(client_info)} extra = {'resource': cls.__name__, 'query': data} logger.info('Sending feedback', extra=extra) api.post(url=cls._URL['send_feedback'], data=data)
send_feedback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, type=FeedbackType.IDEA, referrer=None, text=None, api=None):\n api = api if api else cls._API\n data = {'type': type, 'text': text, 'referrer': refe...
def x(cls, files, destination_project, api=None): api = api if api else cls._API files = [Transform.to_file(file) for file in files] data = {'project': destination_project, 'file_ids': files} extra = {'resource': cls.__name__, 'query': data} logger.info('Performing bulk copy', extra=extra) return api.post(url=cls._URL['bulk_copy'], data=data).json()
bulk_copy_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, files, destination_project, api=None):\n api = api if api else cls._API\n files = [Transform.to_file(file) for file in files]\n data = {'project'...
async def async_set_state(self, data): """Set state of light group. { "on": true, "bri": 180, "hue": 43680, "sat": 255, "transitiontime": 10 } Also update local values of group since websockets doesn't. """ field = self.deconz_id + '/action' await self._async_set_state_callback(field, data) self.async_update({'state': data})
async_set_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def async_set_state(self, data):\n \"\"\"Set state of light group.\n\n {\n \"on\": true,\n \"bri\": 180,\n \"hue\": ...
def x(self, scenes, async_set_state_callback): self._scenes = {scene['id']: DeconzScene(self, scene, async_set_state_callback) for scene in scenes if scene['id'] not in self._scenes}
async_add_scenes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scenes, async_set_state_callback):\n self._scenes = {scene['id']: DeconzScene(self, scene,\n async_set_state_callback) for scene in scenes if s...
def x(self, light): x, y = light.xy or (None, None) self.async_update({'state': {'bri': light.brightness, 'hue': light.hue, 'sat': light.sat, 'ct': light.ct, 'x': x, 'y': y, 'colormode': light.colormode}})
update_color_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, light):\n x, y = light.xy or (None, None)\n self.async_update({'state': {'bri': light.brightness, 'hue': light.hue,\n 'sat': light.sat, 'ct'...
async def async_set_state(self, data): """Recall scene to group.""" field = self._deconz_id + '/recall' await self._async_set_state_callback(field, data)
async_set_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def async_set_state(self, data):\n \"\"\"Recall scene to group.\"\"\"\n field = self._deconz_id + '/recall'\n await self._async_set_state_callback(fie...
def x(cls, api=None): api = api if api else cls._API extra = {'resource': cls.__name__, 'query': {}} logger.info('Fetching user information', extra=extra) user_data = api.get(cls._URL['me']).json() return User(api=api, **user_data)
me
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, api=None):\n api = api if api else cls._API\n extra = {'resource': cls.__name__, 'query': {}}\n logger.info('Fetching user information', extra=ex...
def x(cls, file, offset=None, limit=None, api=None): api = api if api else cls._API file = Transform.to_file(file) return super(Marker, cls)._query(url=cls._URL['query'], offset=offset, limit=limit, file=file, fields='_all', api=api)
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file, offset=None, limit=None, api=None):\n api = api if api else cls._API\n file = Transform.to_file(file)\n return super(Marker, cls)._query(ur...
def x(cls, file, name, position, chromosome, private=True, api=None): api = api if api else cls._API file = Transform.to_file(file) data = {'file': file, 'name': name, 'position': position, 'chromosome': chromosome, 'private': private} extra = {'resource': cls.__name__, 'query': data} logger.info('Creating marker', extra=extra) marker_data = api.post(url=cls._URL['query'], data=data).json() return Marker(api=api, **marker_data)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file, name, position, chromosome, private=True, api=None):\n api = api if api else cls._API\n file = Transform.to_file(file)\n data = {'file': fi...
def x(self, inplace=True): modified_data = self._modified_data() if bool(modified_data): extra = {'resource': self.__class__.__name__, 'query': {'id': self. id, 'modified_data': modified_data}} logger.info('Saving marker', extra=extra) data = self._api.patch(url=self._URL['get'].format(id=self.id), data=modified_data).json() marker = Marker(api=self._api, **data) return marker else: raise ResourceNotModified()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inplace=True):\n modified_data = self._modified_data()\n if bool(modified_data):\n extra = {'resource': self.__class__.__name__, 'query': {'...
def x(self, event): self.update_attr(event.get('state', {})) super().async_update(event)
async_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self.update_attr(event.get('state', {}))\n super().async_update(event)\n", "role": "user" }, { "content": "async_update", ...
def x(self): if self._xy != (None, None): self._x, self._y = self._xy if self._x is not None and self._y is not None: x = self._x if self._x > 1: x = self._x / 65555 y = self._y if self._y > 1: y = self._y / 65555 return x, y return None
xy
[ { "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._xy != (None, None):\n self._x, self._y = self._xy\n if self._x is not None and self._y is not None:\n x = self._x\n ...
def x(project): from sevenbridges.models.project import Project if not project: raise SbgError('Project is required!') elif isinstance(project, Project): return project.id elif isinstance(project, six.string_types): return project else: raise SbgError('Invalid project parameter!')
to_project
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(project):\n from sevenbridges.models.project import Project\n if not project:\n raise SbgError('Project is required!')\n elif isinstance(projec...
def x(task): from sevenbridges.models.task import Task if not task: raise SbgError('Task is required!') elif isinstance(task, Task): return task.id elif isinstance(task, six.string_types): return task else: raise SbgError('Invalid task parameter!')
to_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(task):\n from sevenbridges.models.task import Task\n if not task:\n raise SbgError('Task is required!')\n elif isinstance(task, Task):\n ...
def x(app): from sevenbridges.models.app import App if not app: raise SbgError('App is required!') elif isinstance(app, App): return app.id elif isinstance(app, six.string_types): return app else: raise SbgError('Invalid app parameter!')
to_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app):\n from sevenbridges.models.app import App\n if not app:\n raise SbgError('App is required!')\n elif isinstance(app, App):\n return...
def x(file_): from sevenbridges.models.file import File if not file_: raise SbgError('File is required!') elif isinstance(file_, File): return file_.id elif isinstance(file_, six.string_types): return file_ else: raise SbgError('Invalid file parameter!')
to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_):\n from sevenbridges.models.file import File\n if not file_:\n raise SbgError('File is required!')\n elif isinstance(file_, File):\n ...
def x(user): from sevenbridges.models.user import User if not user: raise SbgError('User is required!') elif isinstance(user, User): return user.username elif isinstance(user, six.string_types): return user else: raise SbgError('Invalid user parameter!')
to_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user):\n from sevenbridges.models.user import User\n if not user:\n raise SbgError('User is required!')\n elif isinstance(user, User):\n ...
def x(billing_group): from sevenbridges.models.billing_group import BillingGroup if not billing_group: raise SbgError('Billing group is required!') elif isinstance(billing_group, BillingGroup): return billing_group.id elif isinstance(billing_group, six.string_types): return billing_group else: raise SbgError('Invalid billing group parameter!')
to_billing_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(billing_group):\n from sevenbridges.models.billing_group import BillingGroup\n if not billing_group:\n raise SbgError('Billing group is required!'...
def x(volume): from sevenbridges.models.volume import Volume if not volume: raise SbgError('Volume is required!') elif isinstance(volume, Volume): return volume.id elif isinstance(volume, six.string_types): return volume else: raise SbgError('Invalid volume parameter!')
to_volume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(volume):\n from sevenbridges.models.volume import Volume\n if not volume:\n raise SbgError('Volume is required!')\n elif isinstance(volume, Vol...
def x(marker): from sevenbridges.models.marker import Marker if not marker: raise SbgError('Marker is required!') elif isinstance(marker, Marker): return marker.id elif isinstance(marker, six.string_types): return marker else: raise SbgError('Invalid marker parameter!')
to_marker
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(marker):\n from sevenbridges.models.marker import Marker\n if not marker:\n raise SbgError('Marker is required!')\n elif isinstance(marker, Mar...
def x(division): from sevenbridges.models.division import Division if not division: raise SbgError('Division is required!') elif isinstance(division, Division): return division.id elif isinstance(division, six.string_types): return division else: raise SbgError('Invalid division parameter!')
to_division
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(division):\n from sevenbridges.models.division import Division\n if not division:\n raise SbgError('Division is required!')\n elif isinstance(d...
def x(team): from sevenbridges.models.team import Team if not team: raise SbgError('Team is required!') elif isinstance(team, Team): return team.id elif isinstance(team, six.string_types): return team else: raise SbgError('Invalid team parameter!')
to_team
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(team):\n from sevenbridges.models.team import Team\n if not team:\n raise SbgError('Team is required!')\n elif isinstance(team, Team):\n ...
def x(import_): from sevenbridges.models.storage_import import Import if not import_: raise SbgError('Import is required!') elif isinstance(import_, Import): return import_.id elif isinstance(import_, six.string_types): return import_ else: raise SbgError('Invalid import parameter!')
to_import
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(import_):\n from sevenbridges.models.storage_import import Import\n if not import_:\n raise SbgError('Import is required!')\n elif isinstance(i...
def x(export): from sevenbridges.models.storage_export import Export if not export: raise SbgError('Export is required!') elif isinstance(export, Export): return export.id elif isinstance(export, six.string_types): return export else: raise SbgError('Invalid export parameter!')
to_export
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(export):\n from sevenbridges.models.storage_export import Export\n if not export:\n raise SbgError('Export is required!')\n elif isinstance(exp...
def x(location): if not location: raise SbgError('Location is required!') if isinstance(location, six.string_types): return location else: raise SbgError('Invalid location parameter!')
to_location
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location):\n if not location:\n raise SbgError('Location is required!')\n if isinstance(location, six.string_types):\n return location\n ...
def x(cls, visibility=None, api=None): api = api if api else cls._API return super(Dataset, cls)._query(url=cls._URL['query'], visibility= visibility, fields='_all', api=api)
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, visibility=None, api=None):\n api = api if api else cls._API\n return super(Dataset, cls)._query(url=cls._URL['query'], visibility=\n visibil...
def x(cls, username, api=None): api = api if api else cls._API return super(Dataset, cls)._query(url=cls._URL['owned_by'].format( username=username), fields='_all', api=api)
get_owned_by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, username, api=None):\n api = api if api else cls._API\n return super(Dataset, cls)._query(url=cls._URL['owned_by'].format(\n username=usernam...
def x(self, inplace=True): modified_data = self._modified_data() if bool(modified_data): dataset_request_data = {} name = modified_data.pop('name', None) description = modified_data.pop('description', None) dataset_request_data.update(modified_data) if name: dataset_request_data['name'] = name if description: dataset_request_data['description'] = description response = self._api.patch(url=self._URL['get'].format(id=self.id), data=dataset_request_data) data = response.json() dataset = Dataset(api=self._api, **data) return dataset
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inplace=True):\n modified_data = self._modified_data()\n if bool(modified_data):\n dataset_request_data = {}\n name = modified_data.p...
def x(self, api=None): api = api or self._API response = api.get(url=self._URL['members'].format(id=self.id)) data = response.json() total = response.headers['x-total-matching-query'] members = [Member(api=api, **member) for member in data['items']] links = [Link(**link) for link in data['links']] href = data['href'] return Collection(resource=Member, href=href, total=total, items= members, links=links, api=api)
get_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, api=None):\n api = api or self._API\n response = api.get(url=self._URL['members'].format(id=self.id))\n data = response.json()\n total = resp...
def x(self, username, permissions, api=None): api = api or self._API data = {'username': username, 'permissions': permissions} response = api.post(url=self._URL['members'].format(id=self.id), data=data) data = response.json() return Member(api=api, **data)
add_member
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, permissions, api=None):\n api = api or self._API\n data = {'username': username, 'permissions': permissions}\n response = api.post(url...
def x(self, member, api=None): api = api or self._API username = Transform.to_member(member) api.delete(url=self._URL['member'].format(id=self.id, username=username))
remove_member
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, member, api=None):\n api = api or self._API\n username = Transform.to_member(member)\n api.delete(url=self._URL['member'].format(id=self.id, use...
def x(cls, project=None, names=None, metadata=None, origin=None, tags=None, offset=None, limit=None, dataset=None, api=None, parent=None): api = api or cls._API query_params = {} if project: project = Transform.to_project(project) query_params['project'] = project if dataset: dataset = Transform.to_dataset(dataset) query_params['dataset'] = dataset if parent: query_params['parent'] = Transform.to_file(parent) if not (project or dataset or parent): raise SbgError('Project, dataset or parent must be provided.') if [project, parent, dataset].count(None) < 2: raise SbgError( 'Only one out of project, parent or dataset must be provided.') if names is not None and isinstance(names, list): if len(names) == 0: names.append('') query_params['name'] = names metadata_params = {} if metadata and isinstance(metadata, dict): for k, v in metadata.items(): metadata_params['metadata.' + k] = metadata[k] if tags: query_params['tag'] = tags query_params.update(metadata_params) origin_params = {} if origin and isinstance(origin, dict): for k, v in origin.items(): origin_params['origin.' + k] = origin[k] query_params.update(origin_params) return super(File, cls)._query(api=api, url=cls._URL['query'], offset= offset, limit=limit, fields='_all', **query_params)
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, project=None, names=None, metadata=None, origin=None, tags=None,\n offset=None, limit=None, dataset=None, api=None, parent=None):\n api = api or cls...
def x(cls, path, project=None, parent=None, file_name=None, overwrite=False, retry=5, timeout=10, part_size=PartSize.UPLOAD_MINIMUM_PART_SIZE, wait= True, api=None): api = api or cls._API extra = {'resource': cls.__name__, 'query': {'path': path, 'project': project, 'file_name': file_name, 'overwrite': overwrite, 'retry': retry, 'timeout': timeout, 'part_size': part_size, 'wait': wait}} logger.info('Uploading file', extra=extra) if not project and not parent: raise SbgError('A project or parent identifier is required.') if project and parent: raise SbgError('Project and parent identifiers are mutually exclusive.' ) if project: project = Transform.to_project(project) if parent: parent = Transform.to_file(parent) upload = Upload(file_path=path, project=project, parent=parent, file_name=file_name, overwrite=overwrite, retry_count=retry, timeout=timeout, part_size=part_size, api=api) if wait: upload.start() upload.wait() return upload else: return upload
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, project=None, parent=None, file_name=None, overwrite=False,\n retry=5, timeout=10, part_size=PartSize.UPLOAD_MINIMUM_PART_SIZE, wait=\n True, ...
def x(self, project, name=None): project = Transform.to_project(project) data = {'project': project} if name: data['name'] = name extra = {'resource': self.__class__.__name__, 'query': {'id': self.id, 'data': data}} logger.info('Copying file', extra=extra) new_file = self._api.post(url=self._URL['copy'].format(id=self.id), data=data).json() return File(api=self._api, **new_file)
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, project, name=None):\n project = Transform.to_project(project)\n data = {'project': project}\n if name:\n data['name'] = name\n extra ...
def x(self): info = self._api.get(url=self._URL['download_info'].format(id=self.id)) return DownloadInfo(api=self._api, **info.json())
download_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n info = self._api.get(url=self._URL['download_info'].format(id=self.id))\n return DownloadInfo(api=self._api, **info.json())\n", "role": "use...
def x(self, path, retry=5, timeout=10, chunk_size=PartSize. DOWNLOAD_MINIMUM_PART_SIZE, wait=True, overwrite=False): if not overwrite and os.path.exists(path): raise LocalFileAlreadyExists(message=path) extra = {'resource': self.__class__.__name__, 'query': {'id': self.id, 'path': path, 'overwrite': overwrite, 'retry': retry, 'timeout': timeout, 'chunk_size': chunk_size, 'wait': wait}} logger.info('Downloading file', extra=extra) info = self.download_info() download = Download(url=info.url, file_path=path, retry_count=retry, timeout=timeout, part_size=chunk_size, api=self._api) if wait: download.start() download.wait() else: return download
download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, retry=5, timeout=10, chunk_size=PartSize.\n DOWNLOAD_MINIMUM_PART_SIZE, wait=True, overwrite=False):\n if not overwrite and os.path.exists(pa...
def x(self, inplace=True, silent=False): modified_data = self._modified_data() if silent or bool(modified_data): if 'metadata' in modified_data: if hasattr(self, '_method'): self._api.put(url=self._URL['metadata'].format(id=self.id), data=modified_data['metadata']) else: self._api.patch(url=self._URL['metadata'].format(id=self.id ), data=modified_data['metadata']) modified_data.pop('metadata') if 'tags' in modified_data: self._api.put(url=self._URL['tags'].format(id=self.id), data= modified_data['tags']) modified_data.pop('tags') if bool(modified_data): self._api.patch(url=self._URL['get'].format(id=self.id), data= modified_data) else: raise ResourceNotModified() return self.reload()
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inplace=True, silent=False):\n modified_data = self._modified_data()\n if silent or bool(modified_data):\n if 'metadata' in modified_data:\n...
def x(self, part_size=32 * PartSize.KB): download_info = self.download_info() response = self._api.get(url=download_info.url, stream=True, append_base=False) for part in response.iter_content(part_size): yield part
stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, part_size=32 * PartSize.KB):\n download_info = self.download_info()\n response = self._api.get(url=download_info.url, stream=True,\n append_...
def x(self): try: data = self._api.get(self.href, append_base=False).json() resource = File(api=self._api, **data) except Exception: try: data = self._api.get(self._URL['get'].format(id=self.id)).json() resource = File(api=self._api, **data) except Exception: raise SbgError('Resource can not be refreshed!') self._data = resource._data self._dirty = resource._dirty self._old = copy.deepcopy(self._data.data) try: delattr(self, '_method') except AttributeError: pass
reload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n data = self._api.get(self.href, append_base=False).json()\n resource = File(api=self._api, **data)\n except Exception:\n ...
def x(self, path=None, overwrite=True, encoding='utf-8'): if path: self.download(wait=True, path=path, overwrite=overwrite) with io.open(path, 'r', encoding=encoding) as fp: return fp.read() with tempfile.NamedTemporaryFile() as tmpfile: self.download(wait=True, path=tmpfile.name, overwrite=overwrite) with io.open(tmpfile.name, 'r', encoding=encoding) as fp: return fp.read()
content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path=None, overwrite=True, encoding='utf-8'):\n if path:\n self.download(wait=True, path=path, overwrite=overwrite)\n with io.open(path,...
def x(cls, files, api=None): api = api or cls._API file_ids = [Transform.to_file(file_) for file_ in files] data = {'file_ids': file_ids} logger.info('Getting files in bulk.') response = api.post(url=cls._URL['bulk_get'], data=data) return FileBulkRecord.parse_records(response=response, api=api)
bulk_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, files, api=None):\n api = api or cls._API\n file_ids = [Transform.to_file(file_) for file_ in files]\n data = {'file_ids': file_ids}\n logger....
def x(cls, files, api=None): if not files: raise SbgError('Files are required.') api = api or cls._API data = {'items': [{'id': file_.id, 'name': file_.name, 'tags': file_. tags, 'metadata': file_.metadata} for file_ in files]} logger.info('Updating files in bulk.') response = api.post(url=cls._URL['bulk_update'], data=data) return FileBulkRecord.parse_records(response=response, api=api)
bulk_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, files, api=None):\n if not files:\n raise SbgError('Files are required.')\n api = api or cls._API\n data = {'items': [{'id': file_.id, 'na...
def x(self, offset=None, limit=None, api=None): api = api or self._API if not self.is_folder(): raise SbgError('{name} is not a folder'.format(name=self.name)) url = self._URL['list_folder'].format(id=self.id) return super(File, self.__class__)._query(api=api, url=url, offset= offset, limit=limit, fields='_all')
list_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, offset=None, limit=None, api=None):\n api = api or self._API\n if not self.is_folder():\n raise SbgError('{name} is not a folder'.format(nam...
def x(cls, name, parent=None, project=None, api=None): api = api or cls._API data = {'name': name, 'type': cls.FOLDER_TYPE} if not parent and not project: raise SbgError('Parent or project must be provided') if parent and project: raise SbgError('Providing both "parent" and "project" is not allowed') if parent: data['parent'] = Transform.to_file(file_=parent) if project: data['project'] = Transform.to_project(project=project) response = api.post(url=cls._URL['create_folder'], data=data).json() return cls(api=api, **response)
create_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, parent=None, project=None, api=None):\n api = api or cls._API\n data = {'name': name, 'type': cls.FOLDER_TYPE}\n if not parent and not proj...
def x(self, parent, name=None, api=None): api = api or self._API if self.is_folder(): raise SbgError('Copying folders is not supported') data = {'parent': Transform.to_file(parent)} if name: data['name'] = name response = api.post(url=self._URL['copy_to_folder'].format(file_id=self .id), data=data).json() return File(api=api, **response)
copy_to_folder
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parent, name=None, api=None):\n api = api or self._API\n if self.is_folder():\n raise SbgError('Copying folders is not supported')\n data...
def x(func, **kwargs): rawjson = func(**kwargs) if rawjson is None: return {} try: data = json.loads(rawjson) if isinstance(data, dict) and data.get('result') == 'error': current_plugin.logger.error( 'The Piwik server responded with an error: %s', data['message'] ) return {} return data except Exception: current_plugin.logger.exception('Unable to load JSON from source %s', rawjson) return {}
get_json_from_remote_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, **kwargs):\n rawjson = func(**kwargs)\n if rawjson is None:\n return {}\n try:\n data = json.loads(rawjson)\n if isinstance...
def x(data): return reduce(lambda x, y: int(x) + int(y), data.values())
reduce_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n return reduce(lambda x, y: int(x) + int(y), data.values())\n", "role": "user" }, { "content": "reduce_json", "role": "assistant" ...
def x(seconds=0): seconds = int(seconds) minutes = seconds / 60 ti = {'h': 0, 'm': 0, 's': 0} if seconds > 0: ti['s'] = seconds % 60 ti['m'] = minutes % 60 ti['h'] = minutes / 60 return '%dh %dm %ds' % (ti['h'], ti['m'], ti['s'])
stringify_seconds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seconds=0):\n seconds = int(seconds)\n minutes = seconds / 60\n ti = {'h': 0, 'm': 0, 's': 0}\n if seconds > 0:\n ti['s'] = seconds % 60\n ...
def x(sensor_id, sensor, async_set_state_callback): if sensor['type'] in CONSUMPTION: return Consumption(sensor_id, sensor) if sensor['type'] in CARBONMONOXIDE: return CarbonMonoxide(sensor_id, sensor) if sensor['type'] in DAYLIGHT: return Daylight(sensor_id, sensor) if sensor['type'] in FIRE: return Fire(sensor_id, sensor) if sensor['type'] in GENERICFLAG: return GenericFlag(sensor_id, sensor) if sensor['type'] in GENERICSTATUS: return GenericStatus(sensor_id, sensor) if sensor['type'] in HUMIDITY: return Humidity(sensor_id, sensor) if sensor['type'] in LIGHTLEVEL: return LightLevel(sensor_id, sensor) if sensor['type'] in OPENCLOSE: return OpenClose(sensor_id, sensor) if sensor['type'] in POWER: return Power(sensor_id, sensor) if sensor['type'] in PRESENCE: return Presence(sensor_id, sensor) if sensor['type'] in PRESSURE: return Pressure(sensor_id, sensor) if sensor['type'] in SWITCH: return Switch(sensor_id, sensor) if sensor['type'] in TEMPERATURE: return Temperature(sensor_id, sensor) if sensor['type'] in THERMOSTAT: return Thermostat(sensor_id, sensor, async_set_state_callback) if sensor['type'] in VIBRATION: return Vibration(sensor_id, sensor) if sensor['type'] in WATER: return Water(sensor_id, sensor)
create_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sensor_id, sensor, async_set_state_callback):\n if sensor['type'] in CONSUMPTION:\n return Consumption(sensor_id, sensor)\n if sensor['type'] in C...
def x(sensor): if sensor['type'] in DECONZ_BINARY_SENSOR + DECONZ_SENSOR + OTHER_SENSOR: return True _LOGGER.info('Unsupported sensor type %s (%s)', sensor['type'], sensor[ 'name']) return False
supported_sensor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sensor):\n if sensor['type'] in DECONZ_BINARY_SENSOR + DECONZ_SENSOR + OTHER_SENSOR:\n return True\n _LOGGER.info('Unsupported sensor type %s (%s)...
def x(self, event, reason={}): reason['attr'] = [] for data in ['state', 'config']: changed_attr = self.update_attr(event.get(data, {})) reason[data] = data in event reason['attr'] += changed_attr super().async_update(event, reason)
async_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, reason={}):\n reason['attr'] = []\n for data in ['state', 'config']:\n changed_attr = self.update_attr(event.get(data, {}))\n ...
def x(self): if self._status == 100: return 'nadir' elif self._status == 110: return 'night_end' elif self._status == 120: return 'nautical_dawn' elif self._status == 130: return 'dawn' elif self._status == 140: return 'sunrise_start' elif self._status == 150: return 'sunrise_end' elif self._status == 160: return 'golden_hour_1' elif self._status == 170: return 'solar_noon' elif self._status == 180: return 'golden_hour_2' elif self._status == 190: return 'sunset_start' elif self._status == 200: return 'sunset_end' elif self._status == 210: return 'dusk' elif self._status == 220: return 'nautical_dusk' elif self._status == 230: return 'night_start' else: return 'unknown'
status
[ { "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._status == 100:\n return 'nadir'\n elif self._status == 110:\n return 'night_end'\n elif self._status == 120:\n ...
def x(self): if self.humidity is None: return None humidity = round(float(self.humidity) / 100, 1) return humidity
state
[ { "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.humidity is None:\n return None\n humidity = round(float(self.humidity) / 100, 1)\n return humidity\n", "role": "user" }...
def x(self): if self.lightlevel is None: return None lux = round(10 ** (float(self.lightlevel - 1) / 10000), 1) return lux
state
[ { "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.lightlevel is None:\n return None\n lux = round(10 ** (float(self.lightlevel - 1) / 10000), 1)\n return lux\n", "role": "u...
async def async_set_config(self, data): """Set config of thermostat. { "mode": "auto", "heatsetpoint": 180, } """ field = self.deconz_id + '/config' await self._async_set_state_callback(field, data)
async_set_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def async_set_config(self, data):\n \"\"\"Set config of thermostat.\n\n {\n \"mode\": \"auto\",\n \"heatsetpoint\": 180,\n ...
def x(value_str, metric_type): if metric_type in (int, float): try: return metric_type(value_str) except ValueError: raise ValueError('Invalid {} metric value: {!r}'.format( metric_type.__class__.__name__, value_str)) elif metric_type is six.text_type: return value_str.strip('"').encode('utf-8').decode('unicode_escape') else: assert metric_type is bool lower_str = value_str.lower() if lower_str == 'true': return True elif lower_str == 'false': return False else: raise ValueError('Invalid boolean metric value: {!r}'.format( value_str))
metric_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value_str, metric_type):\n if metric_type in (int, float):\n try:\n return metric_type(value_str)\n except ValueError:\n ...
def x(metric_name): for item in _PATTERN_UNIT_LIST: pattern, unit = item if pattern.match(metric_name): return unit return None
metric_unit_from_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(metric_name):\n for item in _PATTERN_UNIT_LIST:\n pattern, unit = item\n if pattern.match(metric_name):\n return unit\n return N...
def x(self, properties): result = self.session.post('/api/services/metrics/context', body=properties ) mc_properties = properties.copy() mc_properties.update(result) new_metrics_context = MetricsContext(self, result['metrics-context-uri' ], None, mc_properties) self._metrics_contexts.append(new_metrics_context) return new_metrics_context
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties):\n result = self.session.post('/api/services/metrics/context', body=properties\n )\n mc_properties = properties.copy()\n mc_p...
def x(self): metric_group_definitions = dict() for mg_info in self.properties['metric-group-infos']: mg_name = mg_info['group-name'] mg_def = MetricGroupDefinition(name=mg_name, resource_class= _resource_class_from_group(mg_name), metric_definitions=dict()) for i, m_info in enumerate(mg_info['metric-infos']): m_name = m_info['metric-name'] m_def = MetricDefinition(index=i, name=m_name, type= _metric_type(m_info['metric-type']), unit= _metric_unit_from_name(m_name)) mg_def.metric_definitions[m_name] = m_def metric_group_definitions[mg_name] = mg_def return metric_group_definitions
setup_metric_group_definitions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n metric_group_definitions = dict()\n for mg_info in self.properties['metric-group-infos']:\n mg_name = mg_info['group-name']\n mg_d...
def x(self): metrics_response = self.manager.session.get(self.uri) return metrics_response
get_metrics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n metrics_response = self.manager.session.get(self.uri)\n return metrics_response\n", "role": "user" }, { "content": "get_metrics", ...
def x(self): self.manager.session.delete(self.uri) self.manager._metrics_contexts.remove(self)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.manager.session.delete(self.uri)\n self.manager._metrics_contexts.remove(self)\n", "role": "user" }, { "content": "delete", ...
def x(self): mg_defs = self._metrics_context.metric_group_definitions metric_group_name = None resource_uri = None dt_timestamp = None object_values = None metric_group_values = list() state = 0 for mr_line in self._metrics_response_str.splitlines(): if state == 0: if object_values is not None: mgv = MetricGroupValues(metric_group_name, object_values) metric_group_values.append(mgv) object_values = None if mr_line == '': pass else: metric_group_name = mr_line.strip('"') assert metric_group_name in mg_defs m_defs = mg_defs[metric_group_name].metric_definitions object_values = list() state = 1 elif state == 1: if mr_line == '': state = 0 else: resource_uri = mr_line.strip('"') state = 2 elif state == 2: assert mr_line != '' try: dt_timestamp = datetime_from_timestamp(int(mr_line)) except ValueError: dt_timestamp = datetime.now(pytz.utc) state = 3 elif state == 3: if mr_line != '': str_values = mr_line.split(',') metrics = dict() for m_name in m_defs: m_def = m_defs[m_name] m_type = m_def.type m_value_str = str_values[m_def.index] m_value = _metric_value(m_value_str, m_type) metrics[m_name] = m_value ov = MetricObjectValues(self._client, mg_defs[ metric_group_name], resource_uri, dt_timestamp, metrics) object_values.append(ov) else: state = 1 return metric_group_values
setup_metric_group_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mg_defs = self._metrics_context.metric_group_definitions\n metric_group_name = None\n resource_uri = None\n dt_timestamp = None\n objec...
def x(self): if self._resource is not None: return self._resource resource_class = self.metric_group_definition.resource_class resource_uri = self.resource_uri if resource_class == 'cpc': filter_args = {'object-uri': resource_uri} resource = self.client.cpcs.find(**filter_args) elif resource_class == 'logical-partition': for cpc in self.client.cpcs.list(): try: filter_args = {'object-uri': resource_uri} resource = cpc.lpars.find(**filter_args) break except NotFound: pass else: raise elif resource_class == 'partition': for cpc in self.client.cpcs.list(): try: filter_args = {'object-uri': resource_uri} resource = cpc.partitions.find(**filter_args) break except NotFound: pass else: raise elif resource_class == 'adapter': for cpc in self.client.cpcs.list(): try: filter_args = {'object-uri': resource_uri} resource = cpc.adapters.find(**filter_args) break except NotFound: pass else: raise elif resource_class == 'nic': for cpc in self.client.cpcs.list(): found = False for partition in cpc.partitions.list(): try: filter_args = {'element-uri': resource_uri} resource = partition.nics.find(**filter_args) found = True break except NotFound: pass if found: break else: raise else: raise ValueError('Invalid resource class: {!r}'.format(resource_class)) self._resource = resource return self._resource
resource
[ { "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._resource is not None:\n return self._resource\n resource_class = self.metric_group_definition.resource_class\n resource_uri =...
def x(self): assert not self._free expand_end = self._expand_start + self._expand_len if expand_end > self._range_end: expand_end = self._range_end if self._expand_start == expand_end: raise ValueError('Out of capacity in ID pool') self._free = set(range(self._expand_start, expand_end)) self._expand_start = expand_end
expand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert not self._free\n expand_end = self._expand_start + self._expand_len\n if expand_end > self._range_end:\n expand_end = self._ran...
def x(self): if not self._free: self._expand() id = self._free.pop() self._used.add(id) return id
alloc
[ { "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._free:\n self._expand()\n id = self._free.pop()\n self._used.add(id)\n return id\n", "role": "user" }, { "c...
def x(self, properties): result = self.session.post(self.partition.uri + '/nics', body=properties) props = copy.deepcopy(properties) props.update(result) name = props.get(self._name_prop, None) uri = props[self._uri_prop] nic = Nic(self, uri, name, props) self._name_uri_cache.update(name, uri) return nic
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties):\n result = self.session.post(self.partition.uri + '/nics', body=properties)\n props = copy.deepcopy(properties)\n props.update(resu...
def x(self): self.manager.session.delete(self._uri) self.manager._name_uri_cache.delete(self.properties.get(self.manager. _name_prop, None))
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.manager.session.delete(self._uri)\n self.manager._name_uri_cache.delete(self.properties.get(self.manager.\n _name_prop, None))\n", ...
def x(self, properties): self.manager.session.post(self.uri, body=properties) is_rename = self.manager._name_prop in properties if is_rename: self.manager._name_uri_cache.delete(self.name) self.properties.update(copy.deepcopy(properties)) if is_rename: self.manager._name_uri_cache.update(self.name, self.uri)
update_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, properties):\n self.manager.session.post(self.uri, body=properties)\n is_rename = self.manager._name_prop in properties\n if is_rename:\n ...
def x(self): if self._attached_partition is None: part_mgr = self.manager.storage_group.manager.cpc.partitions part = part_mgr.resource_object(self.get_property('partition-uri')) self._attached_partition = part return self._attached_partition
attached_partition
[ { "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._attached_partition is None:\n part_mgr = self.manager.storage_group.manager.cpc.partitions\n part = part_mgr.resource_object...
def x(self): if self._adapter_port is None: port_uri = self.get_property('adapter-port-uri') assert port_uri is not None m = re.match('^(/api/adapters/[^/]+)/.*', port_uri) adapter_uri = m.group(1) adapter_mgr = self.manager.storage_group.manager.cpc.adapters filter_args = {'object-uri': adapter_uri} adapter = adapter_mgr.find(**filter_args) port_mgr = adapter.ports port = port_mgr.resource_object(port_uri) self._adapter_port = port return self._adapter_port
adapter_port
[ { "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._adapter_port is None:\n port_uri = self.get_property('adapter-port-uri')\n assert port_uri is not None\n m = re.match...
def x(self, name): self.auto_invalidate() try: return self._uris[name] except KeyError: self.refresh() try: return self._uris[name] except KeyError: raise NotFound({self._manager._name_prop: name}, self._manager)
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n self.auto_invalidate()\n try:\n return self._uris[name]\n except KeyError:\n self.refresh()\n try:\n re...