source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(asset_dir, dest_dir): val = validate(asset_dir=asset_dir) if val != 0: return 1 try: asset_zip = make_asset_zip(asset_dir_path=asset_dir, destination_directory=dest_dir) except AssetZipCreationError: _, ex, trace = sys.exc_info() msg = ('AssetZipCreationError: Problem with asset zip creation\n{e}' .format(e=str(ex))) print('ERROR: {m}'.format(m=msg)) return 1 print('Created asset zip file: {z}'.format(z=asset_zip)) return 0
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(asset_dir, dest_dir):\n val = validate(asset_dir=asset_dir)\n if val != 0:\n return 1\n try:\n asset_zip = make_asset_zip(asset_dir_path=asset_dir,\n destination_directory=dest_dir)\n except AssetZipCreationError:\n _, ex, trace = sys.exc_info()\n msg = ('AssetZipCreationError: Problem with asset zip creation\\n{e}'\n .format(e=str(ex)))\n print('ERROR: {m}'.format(m=msg))\n return 1\n print('Created asset zip file: {z}'.format(z=asset_zip))\n return 0\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(cls, **kwargs): from django.shortcuts import _get_queryset qs = _get_queryset(cls) try: return qs.get(**kwargs) except qs.model.DoesNotExist: return None
get_object_or_none
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, **kwargs):\n from django.shortcuts import _get_queryset\n qs = _get_queryset(cls)\n try:\n return qs.get(**kwargs)\n except qs.model.DoesNotExist:\n return None\n", "role": "user" }, { "content": "get_object_or_none", "role": "assistant" } ]
def x(instance, field_name) ->(str, str): label = field_name value = str(getattr(instance, field_name)) for f in instance._meta.fields: if f.attname == field_name: label = f.verbose_name if hasattr(f, 'choices') and len(f.choices) > 0: value = choices_label(f.choices, value) break return label, force_text(value)
get_model_field_label_and_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance, field_name) ->(str, str):\n label = field_name\n value = str(getattr(instance, field_name))\n for f in instance._meta.fields:\n if f.attname == field_name:\n label = f.verbose_name\n if hasattr(f, 'choices') and len(f.choices) > 0:\n value = choices_label(f.choices, value)\n break\n return label, force_text(value)\n", "role": "user" }, { "content": "get_model_field_label_and_value", "role": "assistant" } ]
def x(instance, cls, commit: bool=True, exclude_fields: tuple=('id',), base_class_suffix: str='_ptr', **kw): keys = [f.name for f in cls._meta.fields if f.name not in exclude_fields and not f.name.endswith(base_class_suffix)] new_instance = cls() for k in keys: v = getattr(instance, k) setattr(new_instance, k, v) for k, v in kw.items(): setattr(new_instance, k, v) if commit: new_instance.save() return new_instance
clone_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(instance, cls, commit: bool=True, exclude_fields: tuple=('id',),\n base_class_suffix: str='_ptr', **kw):\n keys = [f.name for f in cls._meta.fields if f.name not in\n exclude_fields and not f.name.endswith(base_class_suffix)]\n new_instance = cls()\n for k in keys:\n v = getattr(instance, k)\n setattr(new_instance, k, v)\n for k, v in kw.items():\n setattr(new_instance, k, v)\n if commit:\n new_instance.save()\n return new_instance\n", "role": "user" }, { "content": "clone_model", "role": "assistant" } ]
def x(self): query_params = list(self.request.query_params.keys()) filter_criteria = {} exclude_if_address_inactive = [] if 'include_inactive' in query_params: if self.request.query_params['include_inactive'] in ['False', 'false', False]: include_inactive = False else: include_inactive = True else: include_inactive = True for filter in query_params: if filter in ['include_inactive', 'cursor']: pass elif filter.startswith('details__addresses__'): filter_criteria[filter + '__has_key'] = self.request.query_params[ filter] if include_inactive is False: exclude_if_address_inactive.append((filter.replace( 'details__addresses__', ''), self.request.query_params[ filter])) else: filter_criteria[filter] = self.request.query_params[filter] identities = Identity.objects.filter(**filter_criteria) if include_inactive is False: for identity in identities: for param in exclude_if_address_inactive: q_key = identity.details['addresses'][param[0]][param[1]] if 'inactive' in q_key and q_key['inactive'] in [True, 'True', 'true']: identities = identities.exclude(id=identity.id) return identities
get_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n query_params = list(self.request.query_params.keys())\n filter_criteria = {}\n exclude_if_address_inactive = []\n if 'include_inactive' in query_params:\n if self.request.query_params['include_inactive'] in ['False',\n 'false', False]:\n include_inactive = False\n else:\n include_inactive = True\n else:\n include_inactive = True\n for filter in query_params:\n if filter in ['include_inactive', 'cursor']:\n pass\n elif filter.startswith('details__addresses__'):\n filter_criteria[filter + '__has_key'] = self.request.query_params[\n filter]\n if include_inactive is False:\n exclude_if_address_inactive.append((filter.replace(\n 'details__addresses__', ''), self.request.query_params[\n filter]))\n else:\n filter_criteria[filter] = self.request.query_params[filter]\n identities = Identity.objects.filter(**filter_criteria)\n if include_inactive is False:\n for identity in identities:\n for param in exclude_if_address_inactive:\n q_key = identity.details['addresses'][param[0]][param[1]]\n if 'inactive' in q_key and q_key['inactive'] in [True,\n 'True', 'true']:\n identities = identities.exclude(id=identity.id)\n return identities\n", "role": "user" }, { "content": "get_queryset", "role": "assistant" } ]
def x(self): identity_id = self.kwargs['identity_id'] address_type = self.kwargs['address_type'] use_ct = 'use_communicate_through' in self.request.query_params default_only = 'default' in self.request.query_params if use_ct: identity = Identity.objects.select_related('communicate_through').get( id=identity_id) if identity.communicate_through is not None: identity = identity.communicate_through else: identity = Identity.objects.get(id=identity_id) addresses = identity.get_addresses_list(address_type, default_only) return [Address(addr) for addr in addresses]
get_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n identity_id = self.kwargs['identity_id']\n address_type = self.kwargs['address_type']\n use_ct = 'use_communicate_through' in self.request.query_params\n default_only = 'default' in self.request.query_params\n if use_ct:\n identity = Identity.objects.select_related('communicate_through').get(\n id=identity_id)\n if identity.communicate_through is not None:\n identity = identity.communicate_through\n else:\n identity = Identity.objects.get(id=identity_id)\n addresses = identity.get_addresses_list(address_type, default_only)\n return [Address(addr) for addr in addresses]\n", "role": "user" }, { "content": "get_queryset", "role": "assistant" } ]
def x(self, remote_server: str='api.isogeo.com') ->bool: try: host = socket.gethostbyname(remote_server) sock = socket.create_connection((host, 80), 2) sock.close() return True except Exception as e: logging.error(e) return False
check_internet_connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, remote_server: str='api.isogeo.com') ->bool:\n try:\n host = socket.gethostbyname(remote_server)\n sock = socket.create_connection((host, 80), 2)\n sock.close()\n return True\n except Exception as e:\n logging.error(e)\n return False\n", "role": "user" }, { "content": "check_internet_connection", "role": "assistant" } ]
def x(self, token: dict, connect_mtd) ->dict: warnings.warn( 'Method is now executed as a decorator within the main SDK class. Will be removed in future versions.' , DeprecationWarning) if datetime.now() < token.get('expires_at'): token = connect_mtd logging.debug('Token was about to expire, so has been renewed.') else: logging.debug('Token is still valid.') pass return token
check_bearer_validity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict, connect_mtd) ->dict:\n warnings.warn(\n 'Method is now executed as a decorator within the main SDK class. Will be removed in future versions.'\n , DeprecationWarning)\n if datetime.now() < token.get('expires_at'):\n token = connect_mtd\n logging.debug('Token was about to expire, so has been renewed.')\n else:\n logging.debug('Token is still valid.')\n pass\n return token\n", "role": "user" }, { "content": "check_bearer_validity", "role": "assistant" } ]
def x(self, response): if response.status_code == 200: return True elif response.status_code >= 400: logging.error('{}: {} - {} - URL: {}'.format(response.status_code, response.reason, response.json().get('error'), response.request .url)) return False, response.status_code
check_api_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n if response.status_code == 200:\n return True\n elif response.status_code >= 400:\n logging.error('{}: {} - {} - URL: {}'.format(response.status_code,\n response.reason, response.json().get('error'), response.request\n .url))\n return False, response.status_code\n", "role": "user" }, { "content": "check_api_response", "role": "assistant" } ]
def x(self, parameters: dict=dict): li_args = parameters.get('q').split() logging.debug(li_args) li_filters = [i.split(':')[0] for i in li_args] filters_count = Counter(li_filters) li_filters_must_be_unique = 'coordinate-system', 'format', 'owner', 'type' for i in filters_count: if i in li_filters_must_be_unique and filters_count.get(i) > 1: raise ValueError( 'This query filter must be unique: {} and it occured {} times.' .format(i, filters_count.get(i))) dico_query = FILTER_KEYS.copy() for i in li_args: if i.startswith('action'): dico_query['action'].append(i.split(':')[1:][0]) continue elif i.startswith('catalog'): dico_query['catalog'].append(i.split(':')[1:][0]) continue elif i.startswith('contact') and i.split(':')[1] == 'group': dico_query['contact:group'].append(i.split(':')[1:][1]) continue elif i.startswith('contact'): dico_query['contact:isogeo'].append(i.split(':', 1)[1]) continue elif i.startswith('coordinate-system'): dico_query['coordinate-system'].append(i.split(':')[1:][0]) continue elif i.startswith('data-source'): dico_query['data-source'].append(i.split(':')[1:][0]) continue elif i.startswith('format'): dico_query['format'].append(i.split(':')[1:][0]) continue elif i.startswith('has-no'): dico_query['has-no'].append(i.split(':')[1:][0]) continue elif i.startswith('keyword:isogeo'): dico_query['keyword:isogeo'].append(i.split(':')[1:][1]) continue elif i.startswith('keyword:inspire-theme'): dico_query['keyword:inspire-theme'].append(i.split(':')[1:][1]) continue elif i.startswith('license:isogeo'): dico_query['license:isogeo'].append(i.split(':')[1:][1:]) continue elif i.startswith('license'): dico_query['license:group'].append(i.split(':', 1)[1:][0:]) continue elif i.startswith('owner'): dico_query['owner'].append(i.split(':')[1:][0]) continue elif i.startswith('provider'): dico_query['provider'].append(i.split(':')[1:][0]) continue elif i.startswith('share'): dico_query['share'].append(i.split(':')[1:][0]) continue elif i.startswith('type'): dico_query['type'].append(i.split(':')[1:][0]) continue else: dico_query['text'].append(i) continue dico_filters = {i.split(':')[0]: i.split(':')[1:] for i in li_args} if dico_filters.get('type', ('dataset',))[0].lower() not in FILTER_TYPES: raise ValueError('type value must be one of: {}'.format(' | '.join( FILTER_TYPES))) elif dico_filters.get('action', ('download',))[0].lower( ) not in FILTER_ACTIONS: raise ValueError('action value must be one of: {}'.format(' | '. join(FILTER_ACTIONS))) elif dico_filters.get('provider', ('manual',))[0].lower( ) not in FILTER_PROVIDERS: raise ValueError('provider value must be one of: {}'.format(' | '. join(FILTER_PROVIDERS))) else: logging.debug(dico_filters) in_box = parameters.get('box') in_geo = parameters.get('geo') in_rel = parameters.get('rel') if in_rel and in_box is None and in_geo is None: raise ValueError("'rel' should'nt be used without box or geo.") elif in_rel not in GEORELATIONS and in_rel is not None: raise ValueError( "{} is not a correct value for 'georel'. Must be one of: {}.". format(in_rel, ' | '.join(GEORELATIONS)))
check_request_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parameters: dict=dict):\n li_args = parameters.get('q').split()\n logging.debug(li_args)\n li_filters = [i.split(':')[0] for i in li_args]\n filters_count = Counter(li_filters)\n li_filters_must_be_unique = 'coordinate-system', 'format', 'owner', 'type'\n for i in filters_count:\n if i in li_filters_must_be_unique and filters_count.get(i) > 1:\n raise ValueError(\n 'This query filter must be unique: {} and it occured {} times.'\n .format(i, filters_count.get(i)))\n dico_query = FILTER_KEYS.copy()\n for i in li_args:\n if i.startswith('action'):\n dico_query['action'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('catalog'):\n dico_query['catalog'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('contact') and i.split(':')[1] == 'group':\n dico_query['contact:group'].append(i.split(':')[1:][1])\n continue\n elif i.startswith('contact'):\n dico_query['contact:isogeo'].append(i.split(':', 1)[1])\n continue\n elif i.startswith('coordinate-system'):\n dico_query['coordinate-system'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('data-source'):\n dico_query['data-source'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('format'):\n dico_query['format'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('has-no'):\n dico_query['has-no'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('keyword:isogeo'):\n dico_query['keyword:isogeo'].append(i.split(':')[1:][1])\n continue\n elif i.startswith('keyword:inspire-theme'):\n dico_query['keyword:inspire-theme'].append(i.split(':')[1:][1])\n continue\n elif i.startswith('license:isogeo'):\n dico_query['license:isogeo'].append(i.split(':')[1:][1:])\n continue\n elif i.startswith('license'):\n dico_query['license:group'].append(i.split(':', 1)[1:][0:])\n continue\n elif i.startswith('owner'):\n dico_query['owner'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('provider'):\n dico_query['provider'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('share'):\n dico_query['share'].append(i.split(':')[1:][0])\n continue\n elif i.startswith('type'):\n dico_query['type'].append(i.split(':')[1:][0])\n continue\n else:\n dico_query['text'].append(i)\n continue\n dico_filters = {i.split(':')[0]: i.split(':')[1:] for i in li_args}\n if dico_filters.get('type', ('dataset',))[0].lower() not in FILTER_TYPES:\n raise ValueError('type value must be one of: {}'.format(' | '.join(\n FILTER_TYPES)))\n elif dico_filters.get('action', ('download',))[0].lower(\n ) not in FILTER_ACTIONS:\n raise ValueError('action value must be one of: {}'.format(' | '.\n join(FILTER_ACTIONS)))\n elif dico_filters.get('provider', ('manual',))[0].lower(\n ) not in FILTER_PROVIDERS:\n raise ValueError('provider value must be one of: {}'.format(' | '.\n join(FILTER_PROVIDERS)))\n else:\n logging.debug(dico_filters)\n in_box = parameters.get('box')\n in_geo = parameters.get('geo')\n in_rel = parameters.get('rel')\n if in_rel and in_box is None and in_geo is None:\n raise ValueError(\"'rel' should'nt be used without box or geo.\")\n elif in_rel not in GEORELATIONS and in_rel is not None:\n raise ValueError(\n \"{} is not a correct value for 'georel'. Must be one of: {}.\".\n format(in_rel, ' | '.join(GEORELATIONS)))\n", "role": "user" }, { "content": "check_request_parameters", "role": "assistant" } ]
def x(self, uuid_str: str): if not isinstance(uuid_str, str): raise TypeError("'uuid_str' expected a str value.") else: pass if 'isogeo:metadata' in uuid_str: uuid_str = 'urn:uuid:{}'.format(uuid_str.split(':')[-1]) else: pass try: uid = UUID(uuid_str) return uid.hex == uuid_str.replace('-', '').replace('urn:uuid:', '') except ValueError as e: logging.error('uuid ValueError. {} ({}) -- {}'.format(type( uuid_str), uuid_str, e)) return False
check_is_uuid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uuid_str: str):\n if not isinstance(uuid_str, str):\n raise TypeError(\"'uuid_str' expected a str value.\")\n else:\n pass\n if 'isogeo:metadata' in uuid_str:\n uuid_str = 'urn:uuid:{}'.format(uuid_str.split(':')[-1])\n else:\n pass\n try:\n uid = UUID(uuid_str)\n return uid.hex == uuid_str.replace('-', '').replace('urn:uuid:', '')\n except ValueError as e:\n logging.error('uuid ValueError. {} ({}) -- {}'.format(type(\n uuid_str), uuid_str, e))\n return False\n", "role": "user" }, { "content": "check_is_uuid", "role": "assistant" } ]
def x(self, tab: str, md_type: str): if not isinstance(tab, str): raise TypeError("'tab' expected a str value.") else: pass if not isinstance(md_type, str): raise TypeError("'md_type' expected a str value.") else: pass if tab not in EDIT_TABS: raise ValueError("'{}' isn't a valid edition tab. Available values: {}" .format(tab, ' | '.join(EDIT_TABS))) else: pass if md_type not in FILTER_TYPES: if md_type in FILTER_TYPES.values(): md_type = self._convert_md_type(md_type) else: raise ValueError( "'{}' isn't a valid metadata type. Available values: {}". format(md_type, ' | '.join(FILTER_TYPES))) else: pass if md_type not in EDIT_TABS.get(tab): raise ValueError( "'{}' isn't a valid tab for a '{}'' metadata. Only for these types: {}." .format(tab, md_type, EDIT_TABS.get(tab))) else: return True
check_edit_tab
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tab: str, md_type: str):\n if not isinstance(tab, str):\n raise TypeError(\"'tab' expected a str value.\")\n else:\n pass\n if not isinstance(md_type, str):\n raise TypeError(\"'md_type' expected a str value.\")\n else:\n pass\n if tab not in EDIT_TABS:\n raise ValueError(\"'{}' isn't a valid edition tab. Available values: {}\"\n .format(tab, ' | '.join(EDIT_TABS)))\n else:\n pass\n if md_type not in FILTER_TYPES:\n if md_type in FILTER_TYPES.values():\n md_type = self._convert_md_type(md_type)\n else:\n raise ValueError(\n \"'{}' isn't a valid metadata type. Available values: {}\".\n format(md_type, ' | '.join(FILTER_TYPES)))\n else:\n pass\n if md_type not in EDIT_TABS.get(tab):\n raise ValueError(\n \"'{}' isn't a valid tab for a '{}'' metadata. Only for these types: {}.\"\n .format(tab, md_type, EDIT_TABS.get(tab)))\n else:\n return True\n", "role": "user" }, { "content": "check_edit_tab", "role": "assistant" } ]
def x(self, specific_md: list): if isinstance(specific_md, list): if len(specific_md) > 0: for md in specific_md: if not self.check_is_uuid(md): specific_md.remove(md) logging.error('Metadata UUID is not correct: {}'.format(md) ) specific_md = ','.join(specific_md) else: specific_md = '' else: raise TypeError("'specific_md' expects a list") return specific_md
check_filter_specific_md
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, specific_md: list):\n if isinstance(specific_md, list):\n if len(specific_md) > 0:\n for md in specific_md:\n if not self.check_is_uuid(md):\n specific_md.remove(md)\n logging.error('Metadata UUID is not correct: {}'.format(md)\n )\n specific_md = ','.join(specific_md)\n else:\n specific_md = ''\n else:\n raise TypeError(\"'specific_md' expects a list\")\n return specific_md\n", "role": "user" }, { "content": "check_filter_specific_md", "role": "assistant" } ]
def x(self, specific_tag: list): if isinstance(specific_tag, list): if len(specific_tag) > 0: specific_tag = ','.join(specific_tag) else: specific_tag = '' else: raise TypeError("'specific_tag' expects a list") return specific_tag
check_filter_specific_tag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, specific_tag: list):\n if isinstance(specific_tag, list):\n if len(specific_tag) > 0:\n specific_tag = ','.join(specific_tag)\n else:\n specific_tag = ''\n else:\n raise TypeError(\"'specific_tag' expects a list\")\n return specific_tag\n", "role": "user" }, { "content": "check_filter_specific_tag", "role": "assistant" } ]
def x(self, includes: list, resource: str='metadata'): if resource == 'metadata': ref_subresources = _SUBRESOURCES_MD elif resource == 'keyword': ref_subresources = _SUBRESOURCES_KW else: raise ValueError('Must be one of: metadata | keyword.') if isinstance(includes, str) and includes.lower() == 'all': includes = ','.join(ref_subresources) elif isinstance(includes, list): if len(includes) > 0: includes = ','.join(includes) else: includes = '' else: raise TypeError("'includes' expect a list or a str='all'") return includes
check_filter_includes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, includes: list, resource: str='metadata'):\n if resource == 'metadata':\n ref_subresources = _SUBRESOURCES_MD\n elif resource == 'keyword':\n ref_subresources = _SUBRESOURCES_KW\n else:\n raise ValueError('Must be one of: metadata | keyword.')\n if isinstance(includes, str) and includes.lower() == 'all':\n includes = ','.join(ref_subresources)\n elif isinstance(includes, list):\n if len(includes) > 0:\n includes = ','.join(includes)\n else:\n includes = ''\n else:\n raise TypeError(\"'includes' expect a list or a str='all'\")\n return includes\n", "role": "user" }, { "content": "check_filter_includes", "role": "assistant" } ]
def x(self, subresource: str): warnings.warn( 'subresource in URL is deprecated. Use _include mecanism instead.', DeprecationWarning) l_subresources = ('conditions', 'contacts', 'coordinate-system', 'events', 'feature-attributes', 'keywords', 'layers', 'limitations', 'links', 'operations', 'specifications') if isinstance(subresource, str): if subresource in l_subresources: subresource = subresource elif subresource == 'tags': subresource = 'keywords' logging.debug( "'tags' is an include not a subresource. Don't worry, it has be automatically renamed into 'keywords' which is the correct subresource." ) elif subresource == 'serviceLayers': subresource = 'layers' logging.debug( "'serviceLayers' is an include not a subresource. Don't worry, it has be automatically renamed into 'layers' which is the correct subresource." ) else: raise ValueError('Invalid subresource. Must be one of: {}'. format('|'.join(l_subresources))) else: raise TypeError("'subresource' expects a str") return subresource
check_subresource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subresource: str):\n warnings.warn(\n 'subresource in URL is deprecated. Use _include mecanism instead.',\n DeprecationWarning)\n l_subresources = ('conditions', 'contacts', 'coordinate-system',\n 'events', 'feature-attributes', 'keywords', 'layers', 'limitations',\n 'links', 'operations', 'specifications')\n if isinstance(subresource, str):\n if subresource in l_subresources:\n subresource = subresource\n elif subresource == 'tags':\n subresource = 'keywords'\n logging.debug(\n \"'tags' is an include not a subresource. Don't worry, it has be automatically renamed into 'keywords' which is the correct subresource.\"\n )\n elif subresource == 'serviceLayers':\n subresource = 'layers'\n logging.debug(\n \"'serviceLayers' is an include not a subresource. Don't worry, it has be automatically renamed into 'layers' which is the correct subresource.\"\n )\n else:\n raise ValueError('Invalid subresource. Must be one of: {}'.\n format('|'.join(l_subresources)))\n else:\n raise TypeError(\"'subresource' expects a str\")\n return subresource\n", "role": "user" }, { "content": "check_subresource", "role": "assistant" } ]
def x(self, type_to_convert: str): if type_to_convert in FILTER_TYPES: return FILTER_TYPES.get(type_to_convert) elif type_to_convert in FILTER_TYPES.values(): return [k for k, v in FILTER_TYPES.items() if v == type_to_convert][0] else: raise ValueError('Incorrect metadata type to convert: {}'.format( type_to_convert))
convert_md_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, type_to_convert: str):\n if type_to_convert in FILTER_TYPES:\n return FILTER_TYPES.get(type_to_convert)\n elif type_to_convert in FILTER_TYPES.values():\n return [k for k, v in FILTER_TYPES.items() if v == type_to_convert][0]\n else:\n raise ValueError('Incorrect metadata type to convert: {}'.format(\n type_to_convert))\n", "role": "user" }, { "content": "convert_md_type", "role": "assistant" } ]
def x(ctx, porcelain): if ctx.invoked_subcommand: return from peltak.core import log from peltak.core import versioning current = versioning.current() if porcelain: print(current) else: log.info('Version: <35>{}'.format(current))
version_cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, porcelain):\n if ctx.invoked_subcommand:\n return\n from peltak.core import log\n from peltak.core import versioning\n current = versioning.current()\n if porcelain:\n print(current)\n else:\n log.info('Version: <35>{}'.format(current))\n", "role": "user" }, { "content": "version_cli", "role": "assistant" } ]
def x(component='patch', exact=None): from peltak.core import log from peltak.core import versioning old_ver, new_ver = versioning.bump(component, exact) log.info('Project version bumped') log.info(' old version: <35>{}'.format(old_ver)) log.info(' new version: <35>{}'.format(new_ver))
bump_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(component='patch', exact=None):\n from peltak.core import log\n from peltak.core import versioning\n old_ver, new_ver = versioning.bump(component, exact)\n log.info('Project version bumped')\n log.info(' old version: <35>{}'.format(old_ver))\n log.info(' new version: <35>{}'.format(new_ver))\n", "role": "user" }, { "content": "bump_version", "role": "assistant" } ]
def x(tag): if not os.path.exists(p.LOG_DIR): os.mkdir(p.LOG_DIR) filename = 'log_' + p.HOST + '_' + tag + '.txt' filename = os.path.join(p.LOG_DIR, filename) return filename
get_logfile_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tag):\n if not os.path.exists(p.LOG_DIR):\n os.mkdir(p.LOG_DIR)\n filename = 'log_' + p.HOST + '_' + tag + '.txt'\n filename = os.path.join(p.LOG_DIR, filename)\n return filename\n", "role": "user" }, { "content": "get_logfile_name", "role": "assistant" } ]
def x(self, rec_id=None, upstream=None): if rec_id: self.record_url = self.__class__.get_record_url(rec_id) self.debug_logger.debug('GET {} record with ID {}: {}'.format(self. __class__.__name__, rec_id, self.record_url)) response = requests.get(url=self.record_url, headers=HEADERS, verify=False) if (not response.ok and response.status_code == requests.codes. NOT_FOUND): raise RecordNotFound( "Search for {} record with ID '{}' returned no results.". format(self.__class__.__name__, rec_id)) self.write_response_html_to_file(response, 'get_bob.html') response.raise_for_status() return response.json() elif upstream: rec_json = self.__class__.find_by({'upstream_identifier': upstream}, require=True) self.record_url = self.__class__.get_record_url(rec_json['id']) return rec_json
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rec_id=None, upstream=None):\n if rec_id:\n self.record_url = self.__class__.get_record_url(rec_id)\n self.debug_logger.debug('GET {} record with ID {}: {}'.format(self.\n __class__.__name__, rec_id, self.record_url))\n response = requests.get(url=self.record_url, headers=HEADERS,\n verify=False)\n if (not response.ok and response.status_code == requests.codes.\n NOT_FOUND):\n raise RecordNotFound(\n \"Search for {} record with ID '{}' returned no results.\".\n format(self.__class__.__name__, rec_id))\n self.write_response_html_to_file(response, 'get_bob.html')\n response.raise_for_status()\n return response.json()\n elif upstream:\n rec_json = self.__class__.find_by({'upstream_identifier': upstream},\n require=True)\n self.record_url = self.__class__.get_record_url(rec_json['id'])\n return rec_json\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(cls, name): try: int(name) return name except ValueError: pass if name.split('-')[0] in Meta._MODEL_ABBREVS: return int(name.split('-', 1)[1]) try: result = cls.ES.get_record_by_name(cls.ES_INDEX_NAME, name) if result: return result['id'] except pulsarpy.elasticsearch_utils.MultipleHitsException as e: raise raise RecordNotFound("Name '{}' for model '{}' not found.".format(name, cls.__name__))
replace_name_with_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n try:\n int(name)\n return name\n except ValueError:\n pass\n if name.split('-')[0] in Meta._MODEL_ABBREVS:\n return int(name.split('-', 1)[1])\n try:\n result = cls.ES.get_record_by_name(cls.ES_INDEX_NAME, name)\n if result:\n return result['id']\n except pulsarpy.elasticsearch_utils.MultipleHitsException as e:\n raise\n raise RecordNotFound(\"Name '{}' for model '{}' not found.\".format(name,\n cls.__name__))\n", "role": "user" }, { "content": "replace_name_with_id", "role": "assistant" } ]
def x(cls, payload): if not cls.MODEL_NAME in payload: payload = {cls.MODEL_NAME: payload} return payload
add_model_name_to_payload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload):\n if not cls.MODEL_NAME in payload:\n payload = {cls.MODEL_NAME: payload}\n return payload\n", "role": "user" }, { "content": "add_model_name_to_payload", "role": "assistant" } ]
def x(self): res = requests.delete(url=self.record_url, headers=HEADERS, verify=False) if res.status_code == 204: return {} return res.json()
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = requests.delete(url=self.record_url, headers=HEADERS, verify=False)\n if res.status_code == 204:\n return {}\n return res.json()\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(cls, payload, require=False): if not isinstance(payload, dict): raise ValueError( "The 'payload' parameter must be provided a dictionary object.") url = os.path.join(cls.URL, 'find_by') payload = {'find_by': payload} cls.debug_logger.debug('Searching Pulsar {} for {}'.format(cls.__name__, json.dumps(payload, indent=4))) res = requests.post(url=url, json=payload, headers=HEADERS, verify=False) res.raise_for_status() res_json = res.json() if res_json: try: res_json = res_json[cls.MODEL_NAME] except KeyError: pass elif require: raise RecordNotFound( "Can't find any {} records with search criteria: '{}'.".format( cls.__name__, payload)) return res_json
find_by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload, require=False):\n if not isinstance(payload, dict):\n raise ValueError(\n \"The 'payload' parameter must be provided a dictionary object.\")\n url = os.path.join(cls.URL, 'find_by')\n payload = {'find_by': payload}\n cls.debug_logger.debug('Searching Pulsar {} for {}'.format(cls.__name__,\n json.dumps(payload, indent=4)))\n res = requests.post(url=url, json=payload, headers=HEADERS, verify=False)\n res.raise_for_status()\n res_json = res.json()\n if res_json:\n try:\n res_json = res_json[cls.MODEL_NAME]\n except KeyError:\n pass\n elif require:\n raise RecordNotFound(\n \"Can't find any {} records with search criteria: '{}'.\".format(\n cls.__name__, payload))\n return res_json\n", "role": "user" }, { "content": "find_by", "role": "assistant" } ]
def x(cls, payload): if not isinstance(payload, dict): raise ValueError( "The 'payload' parameter must be provided a dictionary object.") url = os.path.join(cls.URL, 'find_by_or') payload = {'find_by_or': payload} cls.debug_logger.debug('Searching Pulsar {} for {}'.format(cls.__name__, json.dumps(payload, indent=4))) res = requests.post(url=url, json=payload, headers=HEADERS, verify=False) cls.write_response_html_to_file(res, 'bob.html') if res: try: res = res[cls.MODEL_NAME] except KeyError: pass return res
find_by_or
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload):\n if not isinstance(payload, dict):\n raise ValueError(\n \"The 'payload' parameter must be provided a dictionary object.\")\n url = os.path.join(cls.URL, 'find_by_or')\n payload = {'find_by_or': payload}\n cls.debug_logger.debug('Searching Pulsar {} for {}'.format(cls.__name__,\n json.dumps(payload, indent=4)))\n res = requests.post(url=url, json=payload, headers=HEADERS, verify=False)\n cls.write_response_html_to_file(res, 'bob.html')\n if res:\n try:\n res = res[cls.MODEL_NAME]\n except KeyError:\n pass\n return res\n", "role": "user" }, { "content": "find_by_or", "role": "assistant" } ]
def x(cls): res = requests.get(cls.URL, headers=HEADERS, verify=False) res.raise_for_status() return res.json()
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n res = requests.get(cls.URL, headers=HEADERS, verify=False)\n res.raise_for_status()\n return res.json()\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(self, payload, append_to_arrays=True): if not isinstance(payload, dict): raise ValueError( "The 'payload' parameter must be provided a dictionary object.") payload = self.__class__.set_id_in_fkeys(payload) if append_to_arrays: for key in payload: val = payload[key] if type(val) == list: val.extend(getattr(self, key)) payload[key] = list(set(val)) payload = self.check_boolean_fields(payload) payload = self.__class__.add_model_name_to_payload(payload) self.debug_logger.debug('PATCHING payload {}'.format(json.dumps(payload, indent=4))) res = requests.patch(url=self.record_url, json=payload, headers=HEADERS, verify=False) self.write_response_html_to_file(res, 'bob.html') res.raise_for_status() json_res = res.json() self.debug_logger.debug('Success') self.attrs = json_res return json_res
patch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, payload, append_to_arrays=True):\n if not isinstance(payload, dict):\n raise ValueError(\n \"The 'payload' parameter must be provided a dictionary object.\")\n payload = self.__class__.set_id_in_fkeys(payload)\n if append_to_arrays:\n for key in payload:\n val = payload[key]\n if type(val) == list:\n val.extend(getattr(self, key))\n payload[key] = list(set(val))\n payload = self.check_boolean_fields(payload)\n payload = self.__class__.add_model_name_to_payload(payload)\n self.debug_logger.debug('PATCHING payload {}'.format(json.dumps(payload,\n indent=4)))\n res = requests.patch(url=self.record_url, json=payload, headers=HEADERS,\n verify=False)\n self.write_response_html_to_file(res, 'bob.html')\n res.raise_for_status()\n json_res = res.json()\n self.debug_logger.debug('Success')\n self.attrs = json_res\n return json_res\n", "role": "user" }, { "content": "patch", "role": "assistant" } ]
def x(cls, payload): for key in payload: val = payload[key] if not val: continue if key.endswith('_id'): model = getattr(THIS_MODULE, cls.FKEY_MAP[key]) rec_id = model.replace_name_with_id(name=val) payload[key] = rec_id elif key.endswith('_ids'): model = getattr(THIS_MODULE, cls.FKEY_MAP[key]) rec_ids = [] for v in val: rec_id = model.replace_name_with_id(name=v) rec_ids.append(rec_id) payload[key] = rec_ids return payload
set_id_in_fkeys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload):\n for key in payload:\n val = payload[key]\n if not val:\n continue\n if key.endswith('_id'):\n model = getattr(THIS_MODULE, cls.FKEY_MAP[key])\n rec_id = model.replace_name_with_id(name=val)\n payload[key] = rec_id\n elif key.endswith('_ids'):\n model = getattr(THIS_MODULE, cls.FKEY_MAP[key])\n rec_ids = []\n for v in val:\n rec_id = model.replace_name_with_id(name=v)\n rec_ids.append(rec_id)\n payload[key] = rec_ids\n return payload\n", "role": "user" }, { "content": "set_id_in_fkeys", "role": "assistant" } ]
def x(cls, payload): if not isinstance(payload, dict): raise ValueError( "The 'payload' parameter must be provided a dictionary object.") payload = cls.set_id_in_fkeys(payload) payload = cls.check_boolean_fields(payload) payload = cls.add_model_name_to_payload(payload) payload = cls.prepost_hooks(payload) cls.debug_logger.debug('POSTING payload {}'.format(json.dumps(payload, indent=4))) res = requests.post(url=cls.URL, json=payload, headers=HEADERS, verify= False) cls.write_response_html_to_file(res, 'bob.html') if not res.ok: cls.log_error(res.text) res_json = res.json() if 'exception' in res_json: exc_type = res_json['exception'] if exc_type == 'ActiveRecord::RecordNotUnique': raise RecordNotUnique() res.raise_for_status() res = res.json() cls.log_post(res) cls.debug_logger.debug('Success') return res
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload):\n if not isinstance(payload, dict):\n raise ValueError(\n \"The 'payload' parameter must be provided a dictionary object.\")\n payload = cls.set_id_in_fkeys(payload)\n payload = cls.check_boolean_fields(payload)\n payload = cls.add_model_name_to_payload(payload)\n payload = cls.prepost_hooks(payload)\n cls.debug_logger.debug('POSTING payload {}'.format(json.dumps(payload,\n indent=4)))\n res = requests.post(url=cls.URL, json=payload, headers=HEADERS, verify=\n False)\n cls.write_response_html_to_file(res, 'bob.html')\n if not res.ok:\n cls.log_error(res.text)\n res_json = res.json()\n if 'exception' in res_json:\n exc_type = res_json['exception']\n if exc_type == 'ActiveRecord::RecordNotUnique':\n raise RecordNotUnique()\n res.raise_for_status()\n res = res.json()\n cls.log_post(res)\n cls.debug_logger.debug('Success')\n return res\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(cls, msg): cls.error_logger.error(msg) cls.debug_logger.debug(msg)
log_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, msg):\n cls.error_logger.error(msg)\n cls.debug_logger.debug(msg)\n", "role": "user" }, { "content": "log_error", "role": "assistant" } ]
def x(response, filename): fout = open(filename, 'w') if not str(response.status_code).startswith('2'): Model.debug_logger.debug(response.text) fout.write(response.text) fout.close()
write_response_html_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response, filename):\n fout = open(filename, 'w')\n if not str(response.status_code).startswith('2'):\n Model.debug_logger.debug(response.text)\n fout.write(response.text)\n fout.close()\n", "role": "user" }, { "content": "write_response_html_to_file", "role": "assistant" } ]
def x(self): action = os.path.join(self.record_url, 'parent_ids') res = requests.get(url=action, headers=HEADERS, verify=False) res.raise_for_status() return res.json()['biosamples']
parent_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n action = os.path.join(self.record_url, 'parent_ids')\n res = requests.get(url=action, headers=HEADERS, verify=False)\n res.raise_for_status()\n return res.json()['biosamples']\n", "role": "user" }, { "content": "parent_ids", "role": "assistant" } ]
def x(self, with_ip=False): parent_id = self.part_of_id if not parent_id: return False parent = Biosample(parent_id) if parent.wild_type: if with_ip and parent.immunoblot_ids: return parent.id elif not with_ip: return parent.id return parent.find_first_wt_parent(with_ip=with_ip)
find_first_wt_parent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, with_ip=False):\n parent_id = self.part_of_id\n if not parent_id:\n return False\n parent = Biosample(parent_id)\n if parent.wild_type:\n if with_ip and parent.immunoblot_ids:\n return parent.id\n elif not with_ip:\n return parent.id\n return parent.find_first_wt_parent(with_ip=with_ip)\n", "role": "user" }, { "content": "find_first_wt_parent", "role": "assistant" } ]
def x(cls, path, document_type, is_protocol, description=''): file_name = os.path.basename(path) mime_type = mimetypes.guess_type(file_name)[0] data = base64.b64encode(open(path, 'rb').read()) temp_uri = str(data, 'utf-8') payload = {} payload['content_type'] = mime_type payload['data'] = temp_uri payload['description'] = description payload['document_type_id'] = DocumentType(document_type).id payload['name'] = file_name payload['is_protocol'] = is_protocol cls.post(payload)
upload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, document_type, is_protocol, description=''):\n file_name = os.path.basename(path)\n mime_type = mimetypes.guess_type(file_name)[0]\n data = base64.b64encode(open(path, 'rb').read())\n temp_uri = str(data, 'utf-8')\n payload = {}\n payload['content_type'] = mime_type\n payload['data'] = temp_uri\n payload['description'] = description\n payload['document_type_id'] = DocumentType(document_type).id\n payload['name'] = file_name\n payload['is_protocol'] = is_protocol\n cls.post(payload)\n", "role": "user" }, { "content": "upload", "role": "assistant" } ]
def x(cls, payload): slpk_attr_name = 'sequencing_library_prep_kit_id' paired_bc_id_attr_name = 'paired_barcode_id' seq_reg = re.compile('^[ACGTN]+$') if paired_bc_id_attr_name in payload: try: index1, index2 = payload[paired_bc_id_attr_name].upper().split('-') except ValueError: return Model.post(cls=cls, payload=payload) if not seq_reg.match(index1) or not seq_reg.match(index2): return Model.post(cls=cls, payload=payload) if not slpk_attr_name in payload: raise Exception('You need to include the ' + slpk + ' attribute name.') slpk_id = SequencingLibraryPrepKit.replace_name_with_id(payload[ slpk_attr_name]) payload[slpk_attr_name] = slpk_id index1_id = Barcode.find_by(payload={slpk_attr_name: slpk_id, 'index_number': 1, 'sequence': index1}, require=True)['id'] index2_id = Barcode.find_by(payload={slpk_attr_name: slpk_id, 'index_number': 2, 'sequence': index2}, require=True)['id'] pbc_payload = {'index1_id': index1_id, 'index2_id': index2_id, slpk_attr_name: slpk_id} pbc_exists = PairedBarcode.find_by(payload=pbc_payload) if not pbc_exists: pbc_exists = PairedBarcode.post(payload=pbc_payload) pbc_id = pbc_exists['id'] payload[paired_bc_id_attr_name] = pbc_id return super().post(payload=payload)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, payload):\n slpk_attr_name = 'sequencing_library_prep_kit_id'\n paired_bc_id_attr_name = 'paired_barcode_id'\n seq_reg = re.compile('^[ACGTN]+$')\n if paired_bc_id_attr_name in payload:\n try:\n index1, index2 = payload[paired_bc_id_attr_name].upper().split('-')\n except ValueError:\n return Model.post(cls=cls, payload=payload)\n if not seq_reg.match(index1) or not seq_reg.match(index2):\n return Model.post(cls=cls, payload=payload)\n if not slpk_attr_name in payload:\n raise Exception('You need to include the ' + slpk +\n ' attribute name.')\n slpk_id = SequencingLibraryPrepKit.replace_name_with_id(payload[\n slpk_attr_name])\n payload[slpk_attr_name] = slpk_id\n index1_id = Barcode.find_by(payload={slpk_attr_name: slpk_id,\n 'index_number': 1, 'sequence': index1}, require=True)['id']\n index2_id = Barcode.find_by(payload={slpk_attr_name: slpk_id,\n 'index_number': 2, 'sequence': index2}, require=True)['id']\n pbc_payload = {'index1_id': index1_id, 'index2_id': index2_id,\n slpk_attr_name: slpk_id}\n pbc_exists = PairedBarcode.find_by(payload=pbc_payload)\n if not pbc_exists:\n pbc_exists = PairedBarcode.post(payload=pbc_payload)\n pbc_id = pbc_exists['id']\n payload[paired_bc_id_attr_name] = pbc_id\n return super().post(payload=payload)\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, inverse=False): action = os.path.join(self.record_url, 'get_library_barcode_sequence_hash') res = requests.get(url=action, headers=HEADERS, verify=False) res.raise_for_status() res_json = res.json() new_res = {} for lib_id in res_json: new_res[int(lib_id)] = res_json[lib_id] res_json = new_res if inverse: rev = {} for lib_id in res_json: rev[res_json[lib_id]] = lib_id res_json = rev return res_json
get_library_barcode_sequence_hash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inverse=False):\n action = os.path.join(self.record_url, 'get_library_barcode_sequence_hash')\n res = requests.get(url=action, headers=HEADERS, verify=False)\n res.raise_for_status()\n res_json = res.json()\n new_res = {}\n for lib_id in res_json:\n new_res[int(lib_id)] = res_json[lib_id]\n res_json = new_res\n if inverse:\n rev = {}\n for lib_id in res_json:\n rev[res_json[lib_id]] = lib_id\n res_json = rev\n return res_json\n", "role": "user" }, { "content": "get_library_barcode_sequence_hash", "role": "assistant" } ]
def x(self): sres_ids = self.sequencing_result_ids res = {} for i in sres_ids: sres = SequencingResult(i) res[sres.library_id] = sres return res
library_sequencing_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sres_ids = self.sequencing_result_ids\n res = {}\n for i in sres_ids:\n sres = SequencingResult(i)\n res[sres.library_id] = sres\n return res\n", "role": "user" }, { "content": "library_sequencing_results", "role": "assistant" } ]
def x(self, user_id): url = self.record_url + '/unarchive' res = requests.patch(url=url, json={'user_id': user_id}, headers= HEADERS, verify=False) self.write_response_html_to_file(res, 'bob.html') res.raise_for_status()
unarchive_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id):\n url = self.record_url + '/unarchive'\n res = requests.patch(url=url, json={'user_id': user_id}, headers=\n HEADERS, verify=False)\n self.write_response_html_to_file(res, 'bob.html')\n res.raise_for_status()\n", "role": "user" }, { "content": "unarchive_user", "role": "assistant" } ]
def x(self): url = self.record_url + '/remove_api_key' res = requests.patch(url=url, headers=HEADERS, verify=False) res.raise_for_status() self.api_key = ''
remove_api_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = self.record_url + '/remove_api_key'\n res = requests.patch(url=url, headers=HEADERS, verify=False)\n res.raise_for_status()\n self.api_key = ''\n", "role": "user" }, { "content": "remove_api_key", "role": "assistant" } ]
def x(self, bases_wave, bases_flux, basesCoeff, Av_star, z_star, sigma_star, resample_range=None, resample_int=1): nbases = basesCoeff.shape[0] bases_wave_resam = arange(int(resample_range[0]), int(resample_range[-1 ]), resample_int, dtype=float) npix_resample = len(bases_wave_resam) bases_flux_resam = empty((nbases, npix_resample)) for i in range(nbases): bases_flux_resam[i, :] = interp1d(bases_wave[i], bases_flux[i], bounds_error=True)(bases_wave_resam) synth_wave = bases_wave_resam * (1 + z_star) Av_vector = Av_star * ones(nbases) Xx_redd = CCM89_Bal07(3.4, bases_wave_resam) r_sigma = sigma_star / (synth_wave[1] - synth_wave[0]) box = int(3 * r_sigma) if int(3 * r_sigma) < 3 else 3 kernel_len = 2 * box + 1 kernel = zeros((1, kernel_len)) kernel_range = arange(0, 2 * box + 1) kernel[0, :] = exp(-0.5 * (square(kernel_range - box) / r_sigma)) norm = np_sum(kernel[0, :]) kernel = kernel / norm bases_grid_convolve = convolve2d(bases_flux_resam, kernel, mode='same', boundary='symm') interBases_matrix = interp1d(bases_wave_resam, bases_grid_convolve, axis=1, bounds_error=True)(bases_wave_resam).T dust_attenuation = power(10, -0.4 * outer(Xx_redd, Av_vector)) bases_grid_model = interBases_matrix * dust_attenuation synth_flux = np_sum(basesCoeff.T * bases_grid_model, axis=1) return synth_wave, synth_flux
generate_synthObs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bases_wave, bases_flux, basesCoeff, Av_star, z_star, sigma_star,\n resample_range=None, resample_int=1):\n nbases = basesCoeff.shape[0]\n bases_wave_resam = arange(int(resample_range[0]), int(resample_range[-1\n ]), resample_int, dtype=float)\n npix_resample = len(bases_wave_resam)\n bases_flux_resam = empty((nbases, npix_resample))\n for i in range(nbases):\n bases_flux_resam[i, :] = interp1d(bases_wave[i], bases_flux[i],\n bounds_error=True)(bases_wave_resam)\n synth_wave = bases_wave_resam * (1 + z_star)\n Av_vector = Av_star * ones(nbases)\n Xx_redd = CCM89_Bal07(3.4, bases_wave_resam)\n r_sigma = sigma_star / (synth_wave[1] - synth_wave[0])\n box = int(3 * r_sigma) if int(3 * r_sigma) < 3 else 3\n kernel_len = 2 * box + 1\n kernel = zeros((1, kernel_len))\n kernel_range = arange(0, 2 * box + 1)\n kernel[0, :] = exp(-0.5 * (square(kernel_range - box) / r_sigma))\n norm = np_sum(kernel[0, :])\n kernel = kernel / norm\n bases_grid_convolve = convolve2d(bases_flux_resam, kernel, mode='same',\n boundary='symm')\n interBases_matrix = interp1d(bases_wave_resam, bases_grid_convolve,\n axis=1, bounds_error=True)(bases_wave_resam).T\n dust_attenuation = power(10, -0.4 * outer(Xx_redd, Av_vector))\n bases_grid_model = interBases_matrix * dust_attenuation\n synth_flux = np_sum(basesCoeff.T * bases_grid_model, axis=1)\n return synth_wave, synth_flux\n", "role": "user" }, { "content": "generate_synthObs", "role": "assistant" } ]
def x(self, resource=None, data={}): _data = data or self._data rsc_url = self.get_rsc_endpoint(resource) if _data: req = requests.post(rsc_url, data=json.dumps(_data), headers=self. headers) else: req = requests.get(rsc_url, params=_data, headers=self.headers) if req.status_code == 200: self._response = json.loads(req.text) if int(self._response['response_code']) == 0: return True, self._response else: return False, self._response['response_text'] else: return 500, 'Request Failed'
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource=None, data={}):\n _data = data or self._data\n rsc_url = self.get_rsc_endpoint(resource)\n if _data:\n req = requests.post(rsc_url, data=json.dumps(_data), headers=self.\n headers)\n else:\n req = requests.get(rsc_url, params=_data, headers=self.headers)\n if req.status_code == 200:\n self._response = json.loads(req.text)\n if int(self._response['response_code']) == 0:\n return True, self._response\n else:\n return False, self._response['response_text']\n else:\n return 500, 'Request Failed'\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self, header): if type(header) is dict: self._headers.update(header) else: raise ValueError("Dictionary expected, got '%s' instead" % type(header) )
add_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header):\n if type(header) is dict:\n self._headers.update(header)\n else:\n raise ValueError(\"Dictionary expected, got '%s' instead\" % type(header)\n )\n", "role": "user" }, { "content": "add_header", "role": "assistant" } ]
def x(ctx): if ctx.invoked_subcommand: return from peltak.core import shell from . import logic shell.cprint(logic.changelog())
changelog_cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n if ctx.invoked_subcommand:\n return\n from peltak.core import shell\n from . import logic\n shell.cprint(logic.changelog())\n", "role": "user" }, { "content": "changelog_cli", "role": "assistant" } ]
def x(self): field_list = ['action', 'nargs', 'const', 'default', 'type', 'choices', 'required', 'help', 'metavar', 'dest'] return self.name, {field: getattr(self, field) for field in field_list if getattr(self, field) is not None}
convert_to_argument
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n field_list = ['action', 'nargs', 'const', 'default', 'type', 'choices',\n 'required', 'help', 'metavar', 'dest']\n return self.name, {field: getattr(self, field) for field in field_list if\n getattr(self, field) is not None}\n", "role": "user" }, { "content": "convert_to_argument", "role": "assistant" } ]
def x(self): long_names = [name for name in self.name if name.startswith('--')] short_names = [name for name in self.name if not name.startswith('--')] if long_names: return to_snake_case(long_names[0].lstrip('-')) return to_snake_case(short_names[0].lstrip('-'))
get_default_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n long_names = [name for name in self.name if name.startswith('--')]\n short_names = [name for name in self.name if not name.startswith('--')]\n if long_names:\n return to_snake_case(long_names[0].lstrip('-'))\n return to_snake_case(short_names[0].lstrip('-'))\n", "role": "user" }, { "content": "get_default_name", "role": "assistant" } ]
def x(self, base_dir=None, modality=None): filename = 'sub-' + self.subject if self.session is not None: filename += '_ses-' + self.session if self.task is not None: filename += '_task-' + self.task if self.run is not None and self.direction is None: filename += '_run-' + self.run if self.acquisition is not None: filename += '_acq-' + self.acquisition if self.direction is not None: filename += '_dir-' + self.direction if self.run is not None and self.direction is not None: filename += '_run-' + self.run if self.modality is not None: filename += '_' + self.modality if self.extension is not None: filename += self.extension if base_dir is None: return filename else: dir_name = base_dir / ('sub-' + self.subject) if self.session is not None: dir_name /= 'ses-' + self.session if modality is not None: dir_name /= modality else: dir_name = add_modality(dir_name, self.modality) return dir_name / filename
get_filename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, base_dir=None, modality=None):\n filename = 'sub-' + self.subject\n if self.session is not None:\n filename += '_ses-' + self.session\n if self.task is not None:\n filename += '_task-' + self.task\n if self.run is not None and self.direction is None:\n filename += '_run-' + self.run\n if self.acquisition is not None:\n filename += '_acq-' + self.acquisition\n if self.direction is not None:\n filename += '_dir-' + self.direction\n if self.run is not None and self.direction is not None:\n filename += '_run-' + self.run\n if self.modality is not None:\n filename += '_' + self.modality\n if self.extension is not None:\n filename += self.extension\n if base_dir is None:\n return filename\n else:\n dir_name = base_dir / ('sub-' + self.subject)\n if self.session is not None:\n dir_name /= 'ses-' + self.session\n if modality is not None:\n dir_name /= modality\n else:\n dir_name = add_modality(dir_name, self.modality)\n return dir_name / filename\n", "role": "user" }, { "content": "get_filename", "role": "assistant" } ]
def x(self, filter_lambda=None, map_lambda=None): if filter_lambda is None: filter_lambda = lambda x: True if map_lambda is None: map_lambda = lambda x: x return list(map(map_lambda, filter(filter_lambda, self.tsv)))
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filter_lambda=None, map_lambda=None):\n if filter_lambda is None:\n filter_lambda = lambda x: True\n if map_lambda is None:\n map_lambda = lambda x: x\n return list(map(map_lambda, filter(filter_lambda, self.tsv)))\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, client_id: str=None, client_secret: str=None) ->dict: if not client_id and not client_secret: client_id = self.client_id client_secret = self.client_secret else: pass payload = {'grant_type': 'client_credentials'} head = {'user-agent': self.app_name} id_url = 'https://id.{}.isogeo.com/oauth/token'.format(self.api_url) try: conn = self.post(id_url, auth=(client_id, client_secret), headers= head, data=payload, proxies=self.proxies, verify=self.ssl) except ConnectionError as e: raise ConnectionError('Connection to Isogeo IDfailed: {}'.format(e)) check_params = checker.check_api_response(conn) if check_params == 1: pass elif isinstance(check_params, tuple) and len(check_params) == 2: raise ValueError(2, check_params) self.token = conn.json() expiration_delay = self.token.get('expires_in', 3600) - self.token.get( 'expires_in', 3600) / 10 self.token['expires_at'] = datetime.utcnow() + timedelta(seconds= expiration_delay) return self.token
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id: str=None, client_secret: str=None) ->dict:\n if not client_id and not client_secret:\n client_id = self.client_id\n client_secret = self.client_secret\n else:\n pass\n payload = {'grant_type': 'client_credentials'}\n head = {'user-agent': self.app_name}\n id_url = 'https://id.{}.isogeo.com/oauth/token'.format(self.api_url)\n try:\n conn = self.post(id_url, auth=(client_id, client_secret), headers=\n head, data=payload, proxies=self.proxies, verify=self.ssl)\n except ConnectionError as e:\n raise ConnectionError('Connection to Isogeo IDfailed: {}'.format(e))\n check_params = checker.check_api_response(conn)\n if check_params == 1:\n pass\n elif isinstance(check_params, tuple) and len(check_params) == 2:\n raise ValueError(2, check_params)\n self.token = conn.json()\n expiration_delay = self.token.get('expires_in', 3600) - self.token.get(\n 'expires_in', 3600) / 10\n self.token['expires_at'] = datetime.utcnow() + timedelta(seconds=\n expiration_delay)\n return self.token\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(decorated_func): @wraps(decorated_func) def x(self, *args, **kwargs): if datetime.now() < self.token.get('expires_at'): self.connect() logging.debug('Token was about to expire, so has been renewed.') else: logging.debug('Token is still valid.') pass return decorated_func(self, *args, **kwargs) return wrapper
check_bearer_validity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(decorated_func):\n\n @wraps(decorated_func)\n def x(self, *args, **kwargs):\n if datetime.now() < self.token.get('expires_at'):\n self.connect()\n logging.debug('Token was about to expire, so has been renewed.')\n else:\n logging.debug('Token is still valid.')\n pass\n return decorated_func(self, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "check_bearer_validity", "role": "assistant" } ]
def x(self, token: dict=None, query: str='', bbox: list=None, poly: str= None, georel: str=None, order_by: str='_created', order_dir: str='desc', page_size: int=100, offset: int=0, share: str=None, specific_md: list=[ ], include: list=[], whole_share: bool=True, check: bool=True, augment: bool=False, tags_as_dicts: bool=False, prot: str='https') ->dict: specific_md = checker._check_filter_specific_md(specific_md) include = checker._check_filter_includes(include) payload = {'_id': specific_md, '_include': include, '_lang': self.lang, '_limit': page_size, '_offset': offset, 'box': bbox, 'geo': poly, 'rel': georel, 'ob': order_by, 'od': order_dir, 'q': query, 's': share} if check: checker.check_request_parameters(payload) else: pass search_url = '{}://v1.{}.isogeo.com/resources/search'.format(prot, self .api_url) try: search_req = self.get(search_url, headers=self.header, params= payload, proxies=self.proxies, verify=self.ssl) except Exception as e: logging.error(e) raise Exception checker.check_api_response(search_req) search_rez = search_req.json() resources_count = search_rez.get('total') if resources_count > page_size and whole_share: metadatas = [] payload['_limit'] = 100 for idx in range(0, int(ceil(resources_count / 100)) + 1): payload['_offset'] = idx * 100 search_req = self.get(search_url, headers=self.header, params= payload, proxies=self.proxies, verify=self.ssl) metadatas.extend(search_req.json().get('results')) search_rez['results'] = metadatas else: pass if augment: self.add_tags_shares(search_rez.get('tags')) if share: search_rez.get('query')['_shares'] = [share] else: search_rez.get('query')['_shares'] = [] else: pass if tags_as_dicts: new_tags = utils.tags_to_dict(tags=search_rez.get('tags'), prev_query=search_rez.get('query')) search_rez.get('tags').clear() search_rez.get('query').clear() search_rez.get('tags').update(new_tags[0]) search_rez.get('query').update(new_tags[1]) else: pass return search_rez
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, query: str='', bbox: list=None, poly: str=\n None, georel: str=None, order_by: str='_created', order_dir: str='desc',\n page_size: int=100, offset: int=0, share: str=None, specific_md: list=[\n ], include: list=[], whole_share: bool=True, check: bool=True, augment:\n bool=False, tags_as_dicts: bool=False, prot: str='https') ->dict:\n specific_md = checker._check_filter_specific_md(specific_md)\n include = checker._check_filter_includes(include)\n payload = {'_id': specific_md, '_include': include, '_lang': self.lang,\n '_limit': page_size, '_offset': offset, 'box': bbox, 'geo': poly,\n 'rel': georel, 'ob': order_by, 'od': order_dir, 'q': query, 's': share}\n if check:\n checker.check_request_parameters(payload)\n else:\n pass\n search_url = '{}://v1.{}.isogeo.com/resources/search'.format(prot, self\n .api_url)\n try:\n search_req = self.get(search_url, headers=self.header, params=\n payload, proxies=self.proxies, verify=self.ssl)\n except Exception as e:\n logging.error(e)\n raise Exception\n checker.check_api_response(search_req)\n search_rez = search_req.json()\n resources_count = search_rez.get('total')\n if resources_count > page_size and whole_share:\n metadatas = []\n payload['_limit'] = 100\n for idx in range(0, int(ceil(resources_count / 100)) + 1):\n payload['_offset'] = idx * 100\n search_req = self.get(search_url, headers=self.header, params=\n payload, proxies=self.proxies, verify=self.ssl)\n metadatas.extend(search_req.json().get('results'))\n search_rez['results'] = metadatas\n else:\n pass\n if augment:\n self.add_tags_shares(search_rez.get('tags'))\n if share:\n search_rez.get('query')['_shares'] = [share]\n else:\n search_rez.get('query')['_shares'] = []\n else:\n pass\n if tags_as_dicts:\n new_tags = utils.tags_to_dict(tags=search_rez.get('tags'),\n prev_query=search_rez.get('query'))\n search_rez.get('tags').clear()\n search_rez.get('query').clear()\n search_rez.get('tags').update(new_tags[0])\n search_rez.get('query').update(new_tags[1])\n else:\n pass\n return search_rez\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(self, token: dict=None, id_resource: str=None, subresource=None, include: list=[], prot: str='https') ->dict: if isinstance(subresource, str): subresource = '/{}'.format(checker._check_subresource(subresource)) else: subresource = '' include = checker._check_filter_includes(include) payload = {'id': id_resource, '_include': include} md_url = '{}://v1.{}.isogeo.com/resources/{}{}'.format(prot, self. api_url, id_resource, subresource) resource_req = self.get(md_url, headers=self.header, params=payload, proxies=self.proxies, verify=self.ssl) checker.check_api_response(resource_req) return resource_req.json()
resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, id_resource: str=None, subresource=None,\n include: list=[], prot: str='https') ->dict:\n if isinstance(subresource, str):\n subresource = '/{}'.format(checker._check_subresource(subresource))\n else:\n subresource = ''\n include = checker._check_filter_includes(include)\n payload = {'id': id_resource, '_include': include}\n md_url = '{}://v1.{}.isogeo.com/resources/{}{}'.format(prot, self.\n api_url, id_resource, subresource)\n resource_req = self.get(md_url, headers=self.header, params=payload,\n proxies=self.proxies, verify=self.ssl)\n checker.check_api_response(resource_req)\n return resource_req.json()\n", "role": "user" }, { "content": "resource", "role": "assistant" } ]
def x(self, token: dict=None, prot: str='https') ->dict: shares_url = '{}://v1.{}.isogeo.com/shares/'.format(prot, self.api_url) shares_req = self.get(shares_url, headers=self.header, proxies=self. proxies, verify=self.ssl) checker.check_api_response(shares_req) return shares_req.json()
shares
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, prot: str='https') ->dict:\n shares_url = '{}://v1.{}.isogeo.com/shares/'.format(prot, self.api_url)\n shares_req = self.get(shares_url, headers=self.header, proxies=self.\n proxies, verify=self.ssl)\n checker.check_api_response(shares_req)\n return shares_req.json()\n", "role": "user" }, { "content": "shares", "role": "assistant" } ]
def x(self, share_id: str, token: dict=None, augment: bool=False, prot: str ='https') ->dict: share_url = '{}://v1.{}.isogeo.com/shares/{}'.format(prot, self.api_url, share_id) share_req = self.get(share_url, headers=self.header, proxies=self. proxies, verify=self.ssl) checker.check_api_response(share_req) share = share_req.json() if augment: share = utils.share_extender(share, self.search(whole_share=1, share=share_id).get('results')) else: pass return share
share
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, share_id: str, token: dict=None, augment: bool=False, prot: str\n ='https') ->dict:\n share_url = '{}://v1.{}.isogeo.com/shares/{}'.format(prot, self.api_url,\n share_id)\n share_req = self.get(share_url, headers=self.header, proxies=self.\n proxies, verify=self.ssl)\n checker.check_api_response(share_req)\n share = share_req.json()\n if augment:\n share = utils.share_extender(share, self.search(whole_share=1,\n share=share_id).get('results'))\n else:\n pass\n return share\n", "role": "user" }, { "content": "share", "role": "assistant" } ]
def x(self, token: dict=None, owner_id: str=None, prot: str='https') ->dict: payload = {'gid': owner_id} licenses_url = '{}://v1.{}.isogeo.com/groups/{}/licenses'.format(prot, self.api_url, owner_id) licenses_req = self.get(licenses_url, headers=self.header, params= payload, proxies=self.proxies, verify=self.ssl) req_check = checker.check_api_response(licenses_req) if isinstance(req_check, tuple): return req_check return licenses_req.json()
licenses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, owner_id: str=None, prot: str='https') ->dict:\n payload = {'gid': owner_id}\n licenses_url = '{}://v1.{}.isogeo.com/groups/{}/licenses'.format(prot,\n self.api_url, owner_id)\n licenses_req = self.get(licenses_url, headers=self.header, params=\n payload, proxies=self.proxies, verify=self.ssl)\n req_check = checker.check_api_response(licenses_req)\n if isinstance(req_check, tuple):\n return req_check\n return licenses_req.json()\n", "role": "user" }, { "content": "licenses", "role": "assistant" } ]
def x(self, license_id: str, token: dict=None, prot: str='https') ->dict: payload = {'lid': license_id} license_url = '{}://v1.{}.isogeo.com/licenses/{}'.format(prot, self. api_url, license_id) license_req = self.get(license_url, headers=self.header, params=payload, proxies=self.proxies, verify=self.ssl) checker.check_api_response(license_req) return license_req.json()
license
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, license_id: str, token: dict=None, prot: str='https') ->dict:\n payload = {'lid': license_id}\n license_url = '{}://v1.{}.isogeo.com/licenses/{}'.format(prot, self.\n api_url, license_id)\n license_req = self.get(license_url, headers=self.header, params=payload,\n proxies=self.proxies, verify=self.ssl)\n checker.check_api_response(license_req)\n return license_req.json()\n", "role": "user" }, { "content": "license", "role": "assistant" } ]
def x(self, token: dict=None, prot: str='https') ->dict: thez_url = '{}://v1.{}.isogeo.com/thesauri'.format(prot, self.api_url) thez_req = self.get(thez_url, headers=self.header, proxies=self.proxies, verify=self.ssl) checker.check_api_response(thez_req) return thez_req.json()
thesauri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, prot: str='https') ->dict:\n thez_url = '{}://v1.{}.isogeo.com/thesauri'.format(prot, self.api_url)\n thez_req = self.get(thez_url, headers=self.header, proxies=self.proxies,\n verify=self.ssl)\n checker.check_api_response(thez_req)\n return thez_req.json()\n", "role": "user" }, { "content": "thesauri", "role": "assistant" } ]
def x(self, token: dict=None, thez_id: str= '1616597fbc4348c8b11ef9d59cf594c8', prot: str='https') ->dict: payload = {'tid': thez_id} thez_url = '{}://v1.{}.isogeo.com/thesauri/{}'.format(prot, self. api_url, thez_id) thez_req = self.get(thez_url, headers=self.header, params=payload, proxies=self.proxies, verify=self.ssl) checker.check_api_response(thez_req) return thez_req.json()
thesaurus
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, thez_id: str=\n '1616597fbc4348c8b11ef9d59cf594c8', prot: str='https') ->dict:\n payload = {'tid': thez_id}\n thez_url = '{}://v1.{}.isogeo.com/thesauri/{}'.format(prot, self.\n api_url, thez_id)\n thez_req = self.get(thez_url, headers=self.header, params=payload,\n proxies=self.proxies, verify=self.ssl)\n checker.check_api_response(thez_req)\n return thez_req.json()\n", "role": "user" }, { "content": "thesaurus", "role": "assistant" } ]
def x(self, token: dict=None, thez_id: str= '1616597fbc4348c8b11ef9d59cf594c8', query: str='', offset: int=0, order_by: str='text', order_dir: str='desc', page_size: int=20, specific_md: list=[], specific_tag: list=[], include: list=[], prot: str='https') ->dict: specific_md = checker._check_filter_specific_md(specific_md) include = checker._check_filter_includes(include, 'keyword') specific_tag = checker._check_filter_specific_tag(specific_tag) payload = {'_id': specific_md, '_include': include, '_limit': page_size, '_offset': offset, '_tag': specific_tag, 'tid': thez_id, 'ob': order_by, 'od': order_dir, 'q': query} keywords_url = '{}://v1.{}.isogeo.com/thesauri/{}/keywords/search'.format( prot, self.api_url, thez_id) kwds_req = self.get(keywords_url, headers=self.header, params=payload, proxies=self.proxies, verify=self.ssl) checker.check_api_response(kwds_req) return kwds_req.json()
keywords
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, thez_id: str=\n '1616597fbc4348c8b11ef9d59cf594c8', query: str='', offset: int=0,\n order_by: str='text', order_dir: str='desc', page_size: int=20,\n specific_md: list=[], specific_tag: list=[], include: list=[], prot:\n str='https') ->dict:\n specific_md = checker._check_filter_specific_md(specific_md)\n include = checker._check_filter_includes(include, 'keyword')\n specific_tag = checker._check_filter_specific_tag(specific_tag)\n payload = {'_id': specific_md, '_include': include, '_limit': page_size,\n '_offset': offset, '_tag': specific_tag, 'tid': thez_id, 'ob':\n order_by, 'od': order_dir, 'q': query}\n keywords_url = '{}://v1.{}.isogeo.com/thesauri/{}/keywords/search'.format(\n prot, self.api_url, thez_id)\n kwds_req = self.get(keywords_url, headers=self.header, params=payload,\n proxies=self.proxies, verify=self.ssl)\n checker.check_api_response(kwds_req)\n return kwds_req.json()\n", "role": "user" }, { "content": "keywords", "role": "assistant" } ]
def x(self, token: dict=None, resource_link: dict=None, encode_clean: bool= 1, proxy_url: str=None, prot: str='https') ->tuple: if not isinstance(resource_link, dict): raise TypeError('Resource link expects a dictionary.') else: pass if not resource_link.get('type') == 'hosted': raise ValueError('Resource link passed is not a hosted one: {}'. format(resource_link.get('type'))) else: pass payload = {'proxyUrl': proxy_url} hosted_url = '{}://v1.{}.isogeo.com/{}'.format(prot, self.api_url, resource_link.get('url')) hosted_req = self.get(hosted_url, headers=self.header, stream=True, params=payload, proxies=self.proxies, verify=self.ssl) req_check = checker.check_api_response(hosted_req) if not req_check: raise ConnectionError(req_check[1]) else: pass content_disposition = hosted_req.headers.get('Content-Disposition') if content_disposition: filename = re.findall('filename=(.+)', content_disposition)[0] else: filename = resource_link.get('title') if encode_clean: filename = utils.encoded_words_to_text(filename) filename = re.sub('[^\\w\\-_\\. ]', '', filename) in_size = resource_link.get('size') for size_cat in ('octets', 'Ko', 'Mo', 'Go'): if in_size < 1024.0: out_size = '%3.1f %s' % (in_size, size_cat) in_size /= 1024.0 out_size = '%3.1f %s' % (in_size, ' To') return hosted_req, filename, out_size
dl_hosted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, resource_link: dict=None, encode_clean: bool=\n 1, proxy_url: str=None, prot: str='https') ->tuple:\n if not isinstance(resource_link, dict):\n raise TypeError('Resource link expects a dictionary.')\n else:\n pass\n if not resource_link.get('type') == 'hosted':\n raise ValueError('Resource link passed is not a hosted one: {}'.\n format(resource_link.get('type')))\n else:\n pass\n payload = {'proxyUrl': proxy_url}\n hosted_url = '{}://v1.{}.isogeo.com/{}'.format(prot, self.api_url,\n resource_link.get('url'))\n hosted_req = self.get(hosted_url, headers=self.header, stream=True,\n params=payload, proxies=self.proxies, verify=self.ssl)\n req_check = checker.check_api_response(hosted_req)\n if not req_check:\n raise ConnectionError(req_check[1])\n else:\n pass\n content_disposition = hosted_req.headers.get('Content-Disposition')\n if content_disposition:\n filename = re.findall('filename=(.+)', content_disposition)[0]\n else:\n filename = resource_link.get('title')\n if encode_clean:\n filename = utils.encoded_words_to_text(filename)\n filename = re.sub('[^\\\\w\\\\-_\\\\. ]', '', filename)\n in_size = resource_link.get('size')\n for size_cat in ('octets', 'Ko', 'Mo', 'Go'):\n if in_size < 1024.0:\n out_size = '%3.1f %s' % (in_size, size_cat)\n in_size /= 1024.0\n out_size = '%3.1f %s' % (in_size, ' To')\n return hosted_req, filename, out_size\n", "role": "user" }, { "content": "dl_hosted", "role": "assistant" } ]
def x(self, token: dict=None, id_resource: str=None, proxy_url=None, prot: str='https'): if not checker.check_is_uuid(id_resource): raise ValueError('Metadata ID is not a correct UUID.') else: pass payload = {'proxyUrl': proxy_url, 'id': id_resource} md_url = '{}://v1.{}.isogeo.com/resources/{}.xml'.format(prot, self. api_url, id_resource) xml_req = self.get(md_url, headers=self.header, stream=True, params= payload, proxies=self.proxies, verify=self.ssl) return xml_req
xml19139
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, id_resource: str=None, proxy_url=None, prot:\n str='https'):\n if not checker.check_is_uuid(id_resource):\n raise ValueError('Metadata ID is not a correct UUID.')\n else:\n pass\n payload = {'proxyUrl': proxy_url, 'id': id_resource}\n md_url = '{}://v1.{}.isogeo.com/resources/{}.xml'.format(prot, self.\n api_url, id_resource)\n xml_req = self.get(md_url, headers=self.header, stream=True, params=\n payload, proxies=self.proxies, verify=self.ssl)\n return xml_req\n", "role": "user" }, { "content": "xml19139", "role": "assistant" } ]
def x(self, tags: dict=dict()): if not hasattr(self, 'shares_id'): shares = self.shares() self.shares_id = {'share:{}'.format(i.get('_id')): i.get('name') for i in shares} else: pass tags.update(self.shares_id)
add_tags_shares
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tags: dict=dict()):\n if not hasattr(self, 'shares_id'):\n shares = self.shares()\n self.shares_id = {'share:{}'.format(i.get('_id')): i.get('name') for\n i in shares}\n else:\n pass\n tags.update(self.shares_id)\n", "role": "user" }, { "content": "add_tags_shares", "role": "assistant" } ]
def x(self, token: dict=None, prot: str='https'): if not hasattr(self, 'app_properties'): first_app = self.shares()[0].get('applications')[0] app = {'admin_url': '{}/applications/{}'.format(self.mng_url, first_app.get('_id')), 'creation_date': first_app.get( '_created'), 'last_update': first_app.get('_modified'), 'name': first_app.get('name'), 'type': first_app.get('type'), 'kind': first_app.get('kind'), 'url': first_app.get('url')} self.app_properties = app else: pass
get_app_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, prot: str='https'):\n if not hasattr(self, 'app_properties'):\n first_app = self.shares()[0].get('applications')[0]\n app = {'admin_url': '{}/applications/{}'.format(self.mng_url,\n first_app.get('_id')), 'creation_date': first_app.get(\n '_created'), 'last_update': first_app.get('_modified'), 'name':\n first_app.get('name'), 'type': first_app.get('type'), 'kind':\n first_app.get('kind'), 'url': first_app.get('url')}\n self.app_properties = app\n else:\n pass\n", "role": "user" }, { "content": "get_app_properties", "role": "assistant" } ]
def x(self, token: dict=None, prot: str='https') ->dict: req_url = '{}://v1.{}.isogeo.com/directives'.format(prot, self.api_url) req = self.get(req_url, headers=self.header, proxies=self.proxies, verify=self.ssl) checker.check_api_response(req) return req.json()
get_directives
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, prot: str='https') ->dict:\n req_url = '{}://v1.{}.isogeo.com/directives'.format(prot, self.api_url)\n req = self.get(req_url, headers=self.header, proxies=self.proxies,\n verify=self.ssl)\n checker.check_api_response(req)\n return req.json()\n", "role": "user" }, { "content": "get_directives", "role": "assistant" } ]
def x(self, token: dict=None, srs_code: str=None, prot: str='https') ->dict: if isinstance(srs_code, str): specific_srs = '/{}'.format(srs_code) else: specific_srs = '' req_url = '{}://v1.{}.isogeo.com/coordinate-systems{}'.format(prot, self.api_url, specific_srs) req = self.get(req_url, headers=self.header, proxies=self.proxies, verify=self.ssl) checker.check_api_response(req) return req.json()
get_coordinate_systems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, srs_code: str=None, prot: str='https') ->dict:\n if isinstance(srs_code, str):\n specific_srs = '/{}'.format(srs_code)\n else:\n specific_srs = ''\n req_url = '{}://v1.{}.isogeo.com/coordinate-systems{}'.format(prot,\n self.api_url, specific_srs)\n req = self.get(req_url, headers=self.header, proxies=self.proxies,\n verify=self.ssl)\n checker.check_api_response(req)\n return req.json()\n", "role": "user" }, { "content": "get_coordinate_systems", "role": "assistant" } ]
def x(self, token: dict=None, format_code: str=None, prot: str='https') ->dict: if isinstance(format_code, str): specific_format = '/{}'.format(format_code) else: specific_format = '' req_url = '{}://v1.{}.isogeo.com/formats{}'.format(prot, self.api_url, specific_format) req = self.get(req_url, headers=self.header, proxies=self.proxies, verify=self.ssl) checker.check_api_response(req) return req.json()
get_formats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token: dict=None, format_code: str=None, prot: str='https') ->dict:\n if isinstance(format_code, str):\n specific_format = '/{}'.format(format_code)\n else:\n specific_format = ''\n req_url = '{}://v1.{}.isogeo.com/formats{}'.format(prot, self.api_url,\n specific_format)\n req = self.get(req_url, headers=self.header, proxies=self.proxies,\n verify=self.ssl)\n checker.check_api_response(req)\n return req.json()\n", "role": "user" }, { "content": "get_formats", "role": "assistant" } ]
def x(v, default=None, exceptions: bool=True) ->bool: if isinstance(v, bool): return v s = str(v).lower() if s in TRUE_VALUES: return True elif s in FALSE_VALUES: return False else: if exceptions: raise ValidationError('Failed to parse boolean from "{}"'.format(v) ) return default
parse_bool
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v, default=None, exceptions: bool=True) ->bool:\n if isinstance(v, bool):\n return v\n s = str(v).lower()\n if s in TRUE_VALUES:\n return True\n elif s in FALSE_VALUES:\n return False\n else:\n if exceptions:\n raise ValidationError('Failed to parse boolean from \"{}\"'.format(v)\n )\n return default\n", "role": "user" }, { "content": "parse_bool", "role": "assistant" } ]
def x(v, default=None, tz=None, exceptions: bool=True) ->datetime: try: t = dateutil_parse(v, default=datetime(2000, 1, 1)) if tz is None: tz = pytz.utc return t if t.tzinfo else tz.localize(t) except Exception: if exceptions: raise ValidationError('Failed to parse datetime from "{}"'. format(v)) return default
parse_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v, default=None, tz=None, exceptions: bool=True) ->datetime:\n try:\n t = dateutil_parse(v, default=datetime(2000, 1, 1))\n if tz is None:\n tz = pytz.utc\n return t if t.tzinfo else tz.localize(t)\n except Exception:\n if exceptions:\n raise ValidationError('Failed to parse datetime from \"{}\"'.\n format(v))\n return default\n", "role": "user" }, { "content": "parse_datetime", "role": "assistant" } ]
def x(string_value): lean_string_value = string_value.strip().lower() if lean_string_value in ['yes', 'true', 'on', '1']: return True elif lean_string_value in ['no', 'false', 'off', '0']: return False raise ValueError('Unrecognised boolean ({})'.format(lean_string_value))
convert_boolean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string_value):\n lean_string_value = string_value.strip().lower()\n if lean_string_value in ['yes', 'true', 'on', '1']:\n return True\n elif lean_string_value in ['no', 'false', 'off', '0']:\n return False\n raise ValueError('Unrecognised boolean ({})'.format(lean_string_value))\n", "role": "user" }, { "content": "convert_boolean", "role": "assistant" } ]
def x(self, hdr): column_number = 1 for cell in hdr: cell_parts = cell.split(self._type_sep) if len(cell_parts) not in [1, 2]: raise ContentError(column_number, self._c_reader.line_num, cell, 'Expected name and type (up to 2 items)') name = cell_parts[0].strip() if len(name) == 0: raise ContentError(column_number, self._c_reader.line_num, cell, 'Column name is empty') if name in self._column_names: raise ContentError(column_number, self._c_reader.line_num, name, 'Duplicate column name') if len(cell_parts) == 2: column_type = cell_parts[1].strip().lower() if column_type not in CONVERTERS: raise UnknownTypeError(column_number, column_type) else: column_type = 'string' self._converters.append([name, CONVERTERS[column_type]]) self._column_names.append(name) column_number += 1
handle_hdr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hdr):\n column_number = 1\n for cell in hdr:\n cell_parts = cell.split(self._type_sep)\n if len(cell_parts) not in [1, 2]:\n raise ContentError(column_number, self._c_reader.line_num, cell,\n 'Expected name and type (up to 2 items)')\n name = cell_parts[0].strip()\n if len(name) == 0:\n raise ContentError(column_number, self._c_reader.line_num, cell,\n 'Column name is empty')\n if name in self._column_names:\n raise ContentError(column_number, self._c_reader.line_num, name,\n 'Duplicate column name')\n if len(cell_parts) == 2:\n column_type = cell_parts[1].strip().lower()\n if column_type not in CONVERTERS:\n raise UnknownTypeError(column_number, column_type)\n else:\n column_type = 'string'\n self._converters.append([name, CONVERTERS[column_type]])\n self._column_names.append(name)\n column_number += 1\n", "role": "user" }, { "content": "handle_hdr", "role": "assistant" } ]
def x(self, license=None, format=None, query=None, featured=None, owner= None, organization=None, badge=None, reuses=None, page_size=20, x_fields=None): payload = {'badge': badge, 'size': page_size, 'X-Fields': x_fields} search_url = '{}/datasets'.format(self.base_url) search_req = requests.get(search_url, params=payload) logger.debug(search_req.url) return search_req.json()
search_datasets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, license=None, format=None, query=None, featured=None, owner=\n None, organization=None, badge=None, reuses=None, page_size=20,\n x_fields=None):\n payload = {'badge': badge, 'size': page_size, 'X-Fields': x_fields}\n search_url = '{}/datasets'.format(self.base_url)\n search_req = requests.get(search_url, params=payload)\n logger.debug(search_req.url)\n return search_req.json()\n", "role": "user" }, { "content": "search_datasets", "role": "assistant" } ]
def x(self): self._DST_BADGES = requests.get(self.base_url + 'datasets/badges/').json() self._DST_LICENSES = {l.get('id'): l.get('title') for l in requests.get (self.base_url + 'datasets/licenses').json()} self._DST_FREQUENCIES = {f.get('id'): f.get('label') for f in requests. get(self.base_url + 'datasets/frequencies').json()} self._ORG_BADGES = requests.get(self.base_url + 'organizations/badges/' ).json() self._GRANULARITIES = {g.get('id'): g.get('name') for g in requests.get (self.base_url + 'spatial/granularities').json()} self._LEVELS = {g.get('id'): g.get('name') for g in requests.get(self. base_url + 'spatial/levels').json()} self._FACETS = ('all', 'badge', 'featured', 'format', 'geozone', 'granularity', 'license', 'owner', 'organization', 'reuses', 'tag', 'temporal_coverage') self._REUSES = 'none', 'few', 'quite', 'many'
get_filters_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._DST_BADGES = requests.get(self.base_url + 'datasets/badges/').json()\n self._DST_LICENSES = {l.get('id'): l.get('title') for l in requests.get\n (self.base_url + 'datasets/licenses').json()}\n self._DST_FREQUENCIES = {f.get('id'): f.get('label') for f in requests.\n get(self.base_url + 'datasets/frequencies').json()}\n self._ORG_BADGES = requests.get(self.base_url + 'organizations/badges/'\n ).json()\n self._GRANULARITIES = {g.get('id'): g.get('name') for g in requests.get\n (self.base_url + 'spatial/granularities').json()}\n self._LEVELS = {g.get('id'): g.get('name') for g in requests.get(self.\n base_url + 'spatial/levels').json()}\n self._FACETS = ('all', 'badge', 'featured', 'format', 'geozone',\n 'granularity', 'license', 'owner', 'organization', 'reuses', 'tag',\n 'temporal_coverage')\n self._REUSES = 'none', 'few', 'quite', 'many'\n", "role": "user" }, { "content": "get_filters_values", "role": "assistant" } ]
def x(app_id, version, promote, quiet): gae_app = GaeApp.for_branch(git.current_branch().name) if gae_app is None and None in (app_id, version): msg = ( "Can't find an AppEngine app setup for branch <35>{}<32> and--project and --version were not given." ) log.err(msg, git.current_branch().name) sys.exit(1) if version is not None: gae_app.version = version if app_id is not None: gae_app.app_id = app_id gae_app.deploy(promote, quiet)
deploy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app_id, version, promote, quiet):\n gae_app = GaeApp.for_branch(git.current_branch().name)\n if gae_app is None and None in (app_id, version):\n msg = (\n \"Can't find an AppEngine app setup for branch <35>{}<32> and--project and --version were not given.\"\n )\n log.err(msg, git.current_branch().name)\n sys.exit(1)\n if version is not None:\n gae_app.version = version\n if app_id is not None:\n gae_app.app_id = app_id\n gae_app.deploy(promote, quiet)\n", "role": "user" }, { "content": "deploy", "role": "assistant" } ]
def x(port, admin_port, clear): admin_port = admin_port or port + 1 args = ['--port={}'.format(port), '--admin_port={}'.format(admin_port)] if clear: args += ['--clear_datastore=yes'] with conf.within_proj_dir(): shell.run('dev_appserver.py . {args}'.format(args=' '.join(args)))
devserver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(port, admin_port, clear):\n admin_port = admin_port or port + 1\n args = ['--port={}'.format(port), '--admin_port={}'.format(admin_port)]\n if clear:\n args += ['--clear_datastore=yes']\n with conf.within_proj_dir():\n shell.run('dev_appserver.py . {args}'.format(args=' '.join(args)))\n", "role": "user" }, { "content": "devserver", "role": "assistant" } ]
def x(): gcloud_path = shell.run('which gcloud', capture=True).stdout.strip() sdk_path = normpath(join(gcloud_path, '../../platform/google_appengine')) gcloud_cmd = gcloud_path + ' --quiet' if not exists(sdk_path): log.info('Installing AppEngine SDK') shell.run('sudo {} components install app-engine-python'.format( gcloud_cmd)) else: log.info('AppEngine SDK already initialised') log.info('Using service account authentication') shell.run('{} auth activate-service-account --key-file {}'.format( gcloud_cmd, conf.proj_path('ops/client_secret.json')))
setup_ci
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n gcloud_path = shell.run('which gcloud', capture=True).stdout.strip()\n sdk_path = normpath(join(gcloud_path, '../../platform/google_appengine'))\n gcloud_cmd = gcloud_path + ' --quiet'\n if not exists(sdk_path):\n log.info('Installing AppEngine SDK')\n shell.run('sudo {} components install app-engine-python'.format(\n gcloud_cmd))\n else:\n log.info('AppEngine SDK already initialised')\n log.info('Using service account authentication')\n shell.run('{} auth activate-service-account --key-file {}'.format(\n gcloud_cmd, conf.proj_path('ops/client_secret.json')))\n", "role": "user" }, { "content": "setup_ci", "role": "assistant" } ]
def x(fn): @wraps(fn) def x(*args, **kw): from peltak.core import shell if shell.is_tty: warnings.warn( 'This command is has experimental status. The interface is not yet stable and might change without notice within with a patch version update. Use at your own risk' ) return fn(*args, **kw) return wrapper
mark_experimental
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n @wraps(fn)\n def x(*args, **kw):\n from peltak.core import shell\n if shell.is_tty:\n warnings.warn(\n 'This command is has experimental status. The interface is not yet stable and might change without notice within with a patch version update. Use at your own risk'\n )\n return fn(*args, **kw)\n return wrapper\n", "role": "user" }, { "content": "mark_experimental", "role": "assistant" } ]
def x(replaced_by): def x(fn): @wraps(fn) def x(*args, **kw): from peltak.core import shell if shell.is_tty: warnings.warn( 'This command is has been deprecated. Please use {new} instead.' .format(new=replaced_by)) return fn(*args, **kw) return wrapper return decorator
mark_deprecated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(replaced_by):\n\n def x(fn):\n\n @wraps(fn)\n def x(*args, **kw):\n from peltak.core import shell\n if shell.is_tty:\n warnings.warn(\n 'This command is has been deprecated. Please use {new} instead.'\n .format(new=replaced_by))\n return fn(*args, **kw)\n return wrapper\n return decorator\n", "role": "user" }, { "content": "mark_deprecated", "role": "assistant" } ]
def x(iterable, batch_size): items = list(iterable) size = len(items) for i in range(0, size, batch_size): yield items[i:min(i + batch_size, size)]
in_batches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, batch_size):\n items = list(iterable)\n size = len(items)\n for i in range(0, size, batch_size):\n yield items[i:min(i + batch_size, size)]\n", "role": "user" }, { "content": "in_batches", "role": "assistant" } ]
def x(data, stream=None): return yaml.dump(data, stream=stream, Dumper=Dumper, default_flow_style =False)
yaml_dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, stream=None):\n return yaml.dump(data, stream=stream, Dumper=Dumper, default_flow_style\n =False)\n", "role": "user" }, { "content": "yaml_dump", "role": "assistant" } ]
def x(cls, fn): if hasattr(fn, cls.CACHE_VAR): delattr(fn, cls.CACHE_VAR)
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, fn):\n if hasattr(fn, cls.CACHE_VAR):\n delattr(fn, cls.CACHE_VAR)\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(name): branch = git.current_branch(refresh=True) task_branch = 'task/' + common.to_branch_name(name) if branch.type not in ('feature', 'hotfix'): log.err( 'Task branches can only branch off <33>feature<32> or <33>hotfix<32> branches' ) sys.exit(1) common.git_checkout(task_branch, create=True)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n branch = git.current_branch(refresh=True)\n task_branch = 'task/' + common.to_branch_name(name)\n if branch.type not in ('feature', 'hotfix'):\n log.err(\n 'Task branches can only branch off <33>feature<32> or <33>hotfix<32> branches'\n )\n sys.exit(1)\n common.git_checkout(task_branch, create=True)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(): branch = git.current_branch(refresh=True) base_branch = common.get_base_branch() common.assert_branch_type('task') common.git_checkout(base_branch) common.git_pull(base_branch) common.git_checkout(branch.name) common.git_merge(branch.name, base_branch)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n branch = git.current_branch(refresh=True)\n base_branch = common.get_base_branch()\n common.assert_branch_type('task')\n common.git_checkout(base_branch)\n common.git_pull(base_branch)\n common.git_checkout(branch.name)\n common.git_merge(branch.name, base_branch)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(): pretend = context.get('pretend', False) if not pretend and (git.staged() or git.unstaged()): log.err( """You have uncommitted changes in your repo! You need to stash them before you merge the hotfix branch""" ) sys.exit(1) branch = git.current_branch(refresh=True) base = common.get_base_branch() prompt = '<32>Merge <33>{}<32> into <33>{}<0>?'.format(branch.name, base) if not click.confirm(shell.fmt(prompt)): log.info('Cancelled') return common.assert_branch_type('task') common.git_checkout(base) common.git_pull(base) common.git_merge(base, branch.name) common.git_branch_delete(branch.name) common.git_prune() common.git_checkout(base)
finish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n pretend = context.get('pretend', False)\n if not pretend and (git.staged() or git.unstaged()):\n log.err(\n \"\"\"You have uncommitted changes in your repo!\nYou need to stash them before you merge the hotfix branch\"\"\"\n )\n sys.exit(1)\n branch = git.current_branch(refresh=True)\n base = common.get_base_branch()\n prompt = '<32>Merge <33>{}<32> into <33>{}<0>?'.format(branch.name, base)\n if not click.confirm(shell.fmt(prompt)):\n log.info('Cancelled')\n return\n common.assert_branch_type('task')\n common.git_checkout(base)\n common.git_pull(base)\n common.git_merge(base, branch.name)\n common.git_branch_delete(branch.name)\n common.git_prune()\n common.git_checkout(base)\n", "role": "user" }, { "content": "finish", "role": "assistant" } ]
def x(): base_branch = common.get_base_branch() branch = git.current_branch(refresh=True) common.assert_branch_type('task') common.git_checkout(base_branch) common.git_pull(base_branch) common.git_branch_delete(branch.name) common.git_prune() common.git_checkout(base_branch)
merged
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n base_branch = common.get_base_branch()\n branch = git.current_branch(refresh=True)\n common.assert_branch_type('task')\n common.git_checkout(base_branch)\n common.git_pull(base_branch)\n common.git_branch_delete(branch.name)\n common.git_prune()\n common.git_checkout(base_branch)\n", "role": "user" }, { "content": "merged", "role": "assistant" } ]
def x(action, path, func, *args, **kwargs): try: return func(*args, **kwargs) except mutagen.MutagenError as exc: log.debug(u'%s failed: %s', action, six.text_type(exc)) raise UnreadableFileError(path, six.text_type(exc)) except Exception as exc: log.debug(u'%s', traceback.format_exc()) log.error(u'uncaught Mutagen exception in %s: %s', action, exc) raise MutagenError(path, exc)
mutagen_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(action, path, func, *args, **kwargs):\n try:\n return func(*args, **kwargs)\n except mutagen.MutagenError as exc:\n log.debug(u'%s failed: %s', action, six.text_type(exc))\n raise UnreadableFileError(path, six.text_type(exc))\n except Exception as exc:\n log.debug(u'%s', traceback.format_exc())\n log.error(u'uncaught Mutagen exception in %s: %s', action, exc)\n raise MutagenError(path, exc)\n", "role": "user" }, { "content": "mutagen_call", "role": "assistant" } ]
def x(out_type, val): if val is None: return None if out_type == int: if isinstance(val, int) or isinstance(val, float): return int(val) else: if isinstance(val, bytes): val = val.decode('utf-8', 'ignore') elif not isinstance(val, six.string_types): val = six.text_type(val) match = re.match('[\\+-]?[0-9]+', val.strip()) return int(match.group(0)) if match else 0 elif out_type == bool: try: return bool(int(val)) except ValueError: return False elif out_type == six.text_type: if isinstance(val, bytes): return val.decode('utf-8', 'ignore') elif isinstance(val, six.text_type): return val else: return six.text_type(val) elif out_type == float: if isinstance(val, int) or isinstance(val, float): return float(val) else: if isinstance(val, bytes): val = val.decode('utf-8', 'ignore') else: val = six.text_type(val) match = re.match('[\\+-]?([0-9]+\\.?[0-9]*|[0-9]*\\.[0-9]+)', val.strip()) if match: val = match.group(0) if val: return float(val) return 0.0 else: return val
safe_cast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(out_type, val):\n if val is None:\n return None\n if out_type == int:\n if isinstance(val, int) or isinstance(val, float):\n return int(val)\n else:\n if isinstance(val, bytes):\n val = val.decode('utf-8', 'ignore')\n elif not isinstance(val, six.string_types):\n val = six.text_type(val)\n match = re.match('[\\\\+-]?[0-9]+', val.strip())\n return int(match.group(0)) if match else 0\n elif out_type == bool:\n try:\n return bool(int(val))\n except ValueError:\n return False\n elif out_type == six.text_type:\n if isinstance(val, bytes):\n return val.decode('utf-8', 'ignore')\n elif isinstance(val, six.text_type):\n return val\n else:\n return six.text_type(val)\n elif out_type == float:\n if isinstance(val, int) or isinstance(val, float):\n return float(val)\n else:\n if isinstance(val, bytes):\n val = val.decode('utf-8', 'ignore')\n else:\n val = six.text_type(val)\n match = re.match('[\\\\+-]?([0-9]+\\\\.?[0-9]*|[0-9]*\\\\.[0-9]+)',\n val.strip())\n if match:\n val = match.group(0)\n if val:\n return float(val)\n return 0.0\n else:\n return val\n", "role": "user" }, { "content": "safe_cast", "role": "assistant" } ]
def x(data): type, size = struct.unpack_from('<bi', data) pos = 5 mime = b'' while data[pos:pos + 2] != b'\x00\x00': mime += data[pos:pos + 2] pos += 2 pos += 2 description = b'' while data[pos:pos + 2] != b'\x00\x00': description += data[pos:pos + 2] pos += 2 pos += 2 image_data = data[pos:pos + size] return mime.decode('utf-16-le'), image_data, type, description.decode( 'utf-16-le')
unpack_asf_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n type, size = struct.unpack_from('<bi', data)\n pos = 5\n mime = b''\n while data[pos:pos + 2] != b'\\x00\\x00':\n mime += data[pos:pos + 2]\n pos += 2\n pos += 2\n description = b''\n while data[pos:pos + 2] != b'\\x00\\x00':\n description += data[pos:pos + 2]\n pos += 2\n pos += 2\n image_data = data[pos:pos + size]\n return mime.decode('utf-16-le'), image_data, type, description.decode(\n 'utf-16-le')\n", "role": "user" }, { "content": "unpack_asf_image", "role": "assistant" } ]
def x(mime, data, type=3, description=''): tag_data = struct.pack('<bi', type, len(data)) tag_data += mime.encode('utf-16-le') + b'\x00\x00' tag_data += description.encode('utf-16-le') + b'\x00\x00' tag_data += data return tag_data
pack_asf_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mime, data, type=3, description=''):\n tag_data = struct.pack('<bi', type, len(data))\n tag_data += mime.encode('utf-16-le') + b'\\x00\\x00'\n tag_data += description.encode('utf-16-le') + b'\\x00\\x00'\n tag_data += data\n return tag_data\n", "role": "user" }, { "content": "pack_asf_image", "role": "assistant" } ]
def x(soundcheck): if isinstance(soundcheck, six.text_type): soundcheck = soundcheck.encode('utf-8') try: soundcheck = codecs.decode(soundcheck.replace(b' ', b''), 'hex') soundcheck = struct.unpack('!iiiiiiiiii', soundcheck) except (struct.error, TypeError, binascii.Error): return 0.0, 0.0 maxgain = max(soundcheck[:2]) if maxgain > 0: gain = math.log10(maxgain / 1000.0) * -10 else: gain = 0.0 peak = max(soundcheck[6:8]) / 32768.0 return round(gain, 2), round(peak, 6)
sc_decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(soundcheck):\n if isinstance(soundcheck, six.text_type):\n soundcheck = soundcheck.encode('utf-8')\n try:\n soundcheck = codecs.decode(soundcheck.replace(b' ', b''), 'hex')\n soundcheck = struct.unpack('!iiiiiiiiii', soundcheck)\n except (struct.error, TypeError, binascii.Error):\n return 0.0, 0.0\n maxgain = max(soundcheck[:2])\n if maxgain > 0:\n gain = math.log10(maxgain / 1000.0) * -10\n else:\n gain = 0.0\n peak = max(soundcheck[6:8]) / 32768.0\n return round(gain, 2), round(peak, 6)\n", "role": "user" }, { "content": "sc_decode", "role": "assistant" } ]
def x(gain, peak): peak *= 32768.0 g1 = int(min(round(10 ** (gain / -10) * 1000), 65534)) g2 = int(min(round(10 ** (gain / -10) * 2500), 65534)) uk = 0 values = g1, g1, g2, g2, uk, uk, int(peak), int(peak), uk, uk return u' %08X' * 10 % values
sc_encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gain, peak):\n peak *= 32768.0\n g1 = int(min(round(10 ** (gain / -10) * 1000), 65534))\n g2 = int(min(round(10 ** (gain / -10) * 2500), 65534))\n uk = 0\n values = g1, g1, g2, g2, uk, uk, int(peak), int(peak), uk, uk\n return u' %08X' * 10 % values\n", "role": "user" }, { "content": "sc_encode", "role": "assistant" } ]
def x(data): kind = _imghdr_what_wrapper(data) if kind in ['gif', 'jpeg', 'png', 'tiff', 'bmp']: return 'image/{0}'.format(kind) elif kind == 'pgm': return 'image/x-portable-graymap' elif kind == 'pbm': return 'image/x-portable-bitmap' elif kind == 'ppm': return 'image/x-portable-pixmap' elif kind == 'xbm': return 'image/x-xbitmap' else: return 'image/x-{0}'.format(kind)
image_mime_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n kind = _imghdr_what_wrapper(data)\n if kind in ['gif', 'jpeg', 'png', 'tiff', 'bmp']:\n return 'image/{0}'.format(kind)\n elif kind == 'pgm':\n return 'image/x-portable-graymap'\n elif kind == 'pbm':\n return 'image/x-portable-bitmap'\n elif kind == 'ppm':\n return 'image/x-portable-pixmap'\n elif kind == 'xbm':\n return 'image/x-xbitmap'\n else:\n return 'image/x-{0}'.format(kind)\n", "role": "user" }, { "content": "image_mime_type", "role": "assistant" } ]
def x(self, mutagen_value): if self.suffix and isinstance(mutagen_value, six.text_type ) and mutagen_value.endswith(self.suffix): return mutagen_value[:-len(self.suffix)] else: return mutagen_value
deserialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mutagen_value):\n if self.suffix and isinstance(mutagen_value, six.text_type\n ) and mutagen_value.endswith(self.suffix):\n return mutagen_value[:-len(self.suffix)]\n else:\n return mutagen_value\n", "role": "user" }, { "content": "deserialize", "role": "assistant" } ]
def x(self, mutagen_file, value): self.store(mutagen_file, self.serialize(value))
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mutagen_file, value):\n self.store(mutagen_file, self.serialize(value))\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self, value): if isinstance(value, float) and self.as_type is six.text_type: value = u'{0:.{1}f}'.format(value, self.float_places) value = self.as_type(value) elif self.as_type is six.text_type: if isinstance(value, bool): value = six.text_type(int(bool(value))) elif isinstance(value, bytes): value = value.decode('utf-8', 'ignore') else: value = six.text_type(value) else: value = self.as_type(value) if self.suffix: value += self.suffix return value
serialize
[ { "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, float) and self.as_type is six.text_type:\n value = u'{0:.{1}f}'.format(value, self.float_places)\n value = self.as_type(value)\n elif self.as_type is six.text_type:\n if isinstance(value, bool):\n value = six.text_type(int(bool(value)))\n elif isinstance(value, bytes):\n value = value.decode('utf-8', 'ignore')\n else:\n value = six.text_type(value)\n else:\n value = self.as_type(value)\n if self.suffix:\n value += self.suffix\n return value\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(self, mutagen_file): return [self.deserialize(item) for item in self.fetch(mutagen_file)]
get_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mutagen_file):\n return [self.deserialize(item) for item in self.fetch(mutagen_file)]\n", "role": "user" }, { "content": "get_list", "role": "assistant" } ]
def x(self, mutagen_file, values): self.store(mutagen_file, [self.serialize(value) for value in values])
set_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mutagen_file, values):\n self.store(mutagen_file, [self.serialize(value) for value in values])\n", "role": "user" }, { "content": "set_list", "role": "assistant" } ]
def x(self, apic_frame): return Image(data=apic_frame.data, desc=apic_frame.desc, type= apic_frame.type)
deserialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apic_frame):\n return Image(data=apic_frame.data, desc=apic_frame.desc, type=\n apic_frame.type)\n", "role": "user" }, { "content": "deserialize", "role": "assistant" } ]
def x(self, image): assert isinstance(image, Image) frame = mutagen.id3.Frames[self.key]() frame.data = image.data frame.mime = image.mime_type frame.desc = image.desc or u'' try: frame.desc.encode('latin-1') except UnicodeEncodeError: frame.encoding = mutagen.id3.Encoding.UTF16 else: frame.encoding = mutagen.id3.Encoding.LATIN1 frame.type = image.type_index return frame
serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image):\n assert isinstance(image, Image)\n frame = mutagen.id3.Frames[self.key]()\n frame.data = image.data\n frame.mime = image.mime_type\n frame.desc = image.desc or u''\n try:\n frame.desc.encode('latin-1')\n except UnicodeEncodeError:\n frame.encoding = mutagen.id3.Encoding.UTF16\n else:\n frame.encoding = mutagen.id3.Encoding.LATIN1\n frame.type = image.type_index\n return frame\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(self, image): pic = mutagen.flac.Picture() pic.data = image.data pic.type = image.type_index pic.mime = image.mime_type pic.desc = image.desc or u'' return base64.b64encode(pic.write()).decode('ascii')
serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, image):\n pic = mutagen.flac.Picture()\n pic.data = image.data\n pic.type = image.type_index\n pic.mime = image.mime_type\n pic.desc = image.desc or u''\n return base64.b64encode(pic.write()).decode('ascii')\n", "role": "user" }, { "content": "serialize", "role": "assistant" } ]
def x(self, mutagen_file, pictures): mutagen_file.clear_pictures() for pic in pictures: mutagen_file.add_picture(pic)
store
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mutagen_file, pictures):\n mutagen_file.clear_pictures()\n for pic in pictures:\n mutagen_file.add_picture(pic)\n", "role": "user" }, { "content": "store", "role": "assistant" } ]