sentence1
stringlengths
52
3.87M
sentence2
stringlengths
1
47.2k
label
stringclasses
1 value
def update_configuration(self, new_configuration): """ Save how much consumables were used and update current configuration. Return True if configuration changed. """ if new_configuration == self.configuration: return False now = timezone.now() if now.month != self.price_estimate.month: raise ConsumptionDetailUpdateError('It is possible to update consumption details only for current month.') minutes_from_last_update = self._get_minutes_from_last_update(now) for consumable_item, usage in self.configuration.items(): consumed_after_modification = usage * minutes_from_last_update self.consumed_before_update[consumable_item] = ( self.consumed_before_update.get(consumable_item, 0) + consumed_after_modification) self.configuration = new_configuration self.last_update_time = now self.save() return True
Save how much consumables were used and update current configuration. Return True if configuration changed.
entailment
def consumed_in_month(self): """ How many resources were (or will be) consumed until end of the month """ month_end = core_utils.month_end(datetime.date(self.price_estimate.year, self.price_estimate.month, 1)) return self._get_consumed(month_end)
How many resources were (or will be) consumed until end of the month
entailment
def _get_consumed(self, time): """ How many consumables were (or will be) used by resource until given time. """ minutes_from_last_update = self._get_minutes_from_last_update(time) if minutes_from_last_update < 0: raise ConsumptionDetailCalculateError('Cannot calculate consumption if time < last modification date.') _consumed = {} for consumable_item in set(list(self.configuration.keys()) + list(self.consumed_before_update.keys())): after_update = self.configuration.get(consumable_item, 0) * minutes_from_last_update before_update = self.consumed_before_update.get(consumable_item, 0) _consumed[consumable_item] = after_update + before_update return _consumed
How many consumables were (or will be) used by resource until given time.
entailment
def _get_minutes_from_last_update(self, time): """ How much minutes passed from last update to given time """ time_from_last_update = time - self.last_update_time return int(time_from_last_update.total_seconds() / 60)
How much minutes passed from last update to given time
entailment
def get_for_resource(resource): """ Get list of all price list items that should be used for resource. If price list item is defined for service - return it, otherwise - return default price list item. """ resource_content_type = ContentType.objects.get_for_model(resource) default_items = set(DefaultPriceListItem.objects.filter(resource_content_type=resource_content_type)) service = resource.service_project_link.service items = set(PriceListItem.objects.filter( default_price_list_item__in=default_items, service=service).select_related('default_price_list_item')) rewrited_defaults = set([i.default_price_list_item for i in items]) return items | (default_items - rewrited_defaults)
Get list of all price list items that should be used for resource. If price list item is defined for service - return it, otherwise - return default price list item.
entailment
def get_extensions(cls): """ Get a list of available extensions """ assemblies = [] for waldur_extension in pkg_resources.iter_entry_points('waldur_extensions'): extension_module = waldur_extension.load() if inspect.isclass(extension_module) and issubclass(extension_module, cls): if not extension_module.is_assembly(): yield extension_module else: assemblies.append(extension_module) for assembly in assemblies: yield assembly
Get a list of available extensions
entailment
def ellipsis(source, max_length): """Truncates a string to be at most max_length long.""" if max_length == 0 or len(source) <= max_length: return source return source[: max(0, max_length - 3)] + "..."
Truncates a string to be at most max_length long.
entailment
def safe_str(source, max_length=0): """Wrapper for str() that catches exceptions.""" try: return ellipsis(str(source), max_length) except Exception as e: return ellipsis("<n/a: str(...) raised %s>" % e, max_length)
Wrapper for str() that catches exceptions.
entailment
def safe_repr(source, max_length=0): """Wrapper for repr() that catches exceptions.""" try: return ellipsis(repr(source), max_length) except Exception as e: return ellipsis("<n/a: repr(...) raised %s>" % e, max_length)
Wrapper for repr() that catches exceptions.
entailment
def dict_to_object(source): """Returns an object with the key-value pairs in source as attributes.""" target = inspectable_class.InspectableClass() for k, v in source.items(): setattr(target, k, v) return target
Returns an object with the key-value pairs in source as attributes.
entailment
def copy_public_attrs(source_obj, dest_obj): """Shallow copies all public attributes from source_obj to dest_obj. Overwrites them if they already exist. """ for name, value in inspect.getmembers(source_obj): if not any(name.startswith(x) for x in ["_", "func", "im"]): setattr(dest_obj, name, value)
Shallow copies all public attributes from source_obj to dest_obj. Overwrites them if they already exist.
entailment
def object_from_string(name): """Creates a Python class or function from its fully qualified name. :param name: A fully qualified name of a class or a function. In Python 3 this is only allowed to be of text type (unicode). In Python 2, both bytes and unicode are allowed. :return: A function or class object. This method is used by serialization code to create a function or class from a fully qualified name. """ if six.PY3: if not isinstance(name, str): raise TypeError("name must be str, not %r" % type(name)) else: if isinstance(name, unicode): name = name.encode("ascii") if not isinstance(name, (str, unicode)): raise TypeError("name must be bytes or unicode, got %r" % type(name)) pos = name.rfind(".") if pos < 0: raise ValueError("Invalid function or class name %s" % name) module_name = name[:pos] func_name = name[pos + 1 :] try: mod = __import__(module_name, fromlist=[func_name], level=0) except ImportError: # Hail mary. if the from import doesn't work, then just import the top level module # and do getattr on it, one level at a time. This will handle cases where imports are # done like `from . import submodule as another_name` parts = name.split(".") mod = __import__(parts[0], level=0) for i in range(1, len(parts)): mod = getattr(mod, parts[i]) return mod else: return getattr(mod, func_name)
Creates a Python class or function from its fully qualified name. :param name: A fully qualified name of a class or a function. In Python 3 this is only allowed to be of text type (unicode). In Python 2, both bytes and unicode are allowed. :return: A function or class object. This method is used by serialization code to create a function or class from a fully qualified name.
entailment
def catchable_exceptions(exceptions): """Returns True if exceptions can be caught in the except clause. The exception can be caught if it is an Exception type or a tuple of exception types. """ if isinstance(exceptions, type) and issubclass(exceptions, BaseException): return True if ( isinstance(exceptions, tuple) and exceptions and all(issubclass(it, BaseException) for it in exceptions) ): return True return False
Returns True if exceptions can be caught in the except clause. The exception can be caught if it is an Exception type or a tuple of exception types.
entailment
def override(self, value): """Temporarily overrides the old value with the new one.""" if self._value is not value: return _ScopedValueOverrideContext(self, value) else: return empty_context
Temporarily overrides the old value with the new one.
entailment
def validate_object_action(self, action_name, obj=None): """ Execute validation for actions that are related to particular object """ action_method = getattr(self, action_name) if not getattr(action_method, 'detail', False) and action_name not in ('update', 'partial_update', 'destroy'): # DRF does not add flag 'detail' to update and delete actions, however they execute operation with # particular object. We need to enable validation for them too. return validators = getattr(self, action_name + '_validators', []) for validator in validators: validator(obj or self.get_object())
Execute validation for actions that are related to particular object
entailment
def row_dict(self, row): """returns dictionary version of row using keys from self.field_map""" d = {} for field_name,index in self.field_map.items(): d[field_name] = self.field_value(row, field_name) return d
returns dictionary version of row using keys from self.field_map
entailment
def _dialect(self, filepath): """returns detected dialect of filepath and sets self.has_header if not passed in __init__ kwargs Arguments: filepath (str): filepath of target csv file """ with open(filepath, self.read_mode) as csvfile: sample = csvfile.read(1024) dialect = csv.Sniffer().sniff(sample) if self.has_header == None: # detect header if header not specified self.has_header = csv.Sniffer().has_header(sample) csvfile.seek(0) return dialect
returns detected dialect of filepath and sets self.has_header if not passed in __init__ kwargs Arguments: filepath (str): filepath of target csv file
entailment
def _get_content_type_queryset(models_list): """ Get list of services content types """ content_type_ids = {c.id for c in ContentType.objects.get_for_models(*models_list).values()} return ContentType.objects.filter(id__in=content_type_ids)
Get list of services content types
entailment
def init_registered(self, request): """ Create default price list items for each registered resource. """ created_items = models.DefaultPriceListItem.init_from_registered_resources() if created_items: message = ungettext( _('Price item was created: %s.') % created_items[0].name, _('Price items were created: %s.') % ', '.join(item.name for item in created_items), len(created_items) ) self.message_user(request, message) else: self.message_user(request, _('Price items for all registered resources have been updated.')) return redirect(reverse('admin:cost_tracking_defaultpricelistitem_changelist'))
Create default price list items for each registered resource.
entailment
def reinit_configurations(self, request): """ Re-initialize configuration for resource if it has been changed. This method should be called if resource consumption strategy was changed. """ now = timezone.now() # Step 1. Collect all resources with changed configuration. changed_resources = [] for resource_model in CostTrackingRegister.registered_resources: for resource in resource_model.objects.all(): try: pe = models.PriceEstimate.objects.get(scope=resource, month=now.month, year=now.year) except models.PriceEstimate.DoesNotExist: changed_resources.append(resource) else: new_configuration = CostTrackingRegister.get_configuration(resource) if new_configuration != pe.consumption_details.configuration: changed_resources.append(resource) # Step 2. Re-init configuration and recalculate estimate for changed resources. for resource in changed_resources: models.PriceEstimate.update_resource_estimate(resource, CostTrackingRegister.get_configuration(resource)) message = _('Configuration was reinitialized for %(count)s resources') % {'count': len(changed_resources)} self.message_user(request, message) return redirect(reverse('admin:cost_tracking_defaultpricelistitem_changelist'))
Re-initialize configuration for resource if it has been changed. This method should be called if resource consumption strategy was changed.
entailment
def encrypt(self, message): """ Encrypt the given message """ if not isinstance(message, (bytes, str)): raise TypeError return hashlib.sha1(message.encode('utf-8')).hexdigest()
Encrypt the given message
entailment
def save(self, *args, **kwargs): """ Updates next_trigger_at field if: - instance become active - instance.schedule changed - instance is new """ try: prev_instance = self.__class__.objects.get(pk=self.pk) except self.DoesNotExist: prev_instance = None if prev_instance is None or (not prev_instance.is_active and self.is_active or self.schedule != prev_instance.schedule): self.update_next_trigger_at() super(ScheduleMixin, self).save(*args, **kwargs)
Updates next_trigger_at field if: - instance become active - instance.schedule changed - instance is new
entailment
def get_version_fields(self): """ Get field that are tracked in object history versions. """ options = reversion._get_options(self) return options.fields or [f.name for f in self._meta.fields if f not in options.exclude]
Get field that are tracked in object history versions.
entailment
def _is_version_duplicate(self): """ Define should new version be created for object or no. Reasons to provide custom check instead of default `ignore_revision_duplicates`: - no need to compare all revisions - it is OK if right object version exists in any revision; - need to compare object attributes (not serialized data) to avoid version creation on wrong <float> vs <int> comparison; """ if self.id is None: return False try: latest_version = Version.objects.get_for_object(self).latest('revision__date_created') except Version.DoesNotExist: return False latest_version_object = latest_version._object_version.object fields = self.get_version_fields() return all([getattr(self, f) == getattr(latest_version_object, f) for f in fields])
Define should new version be created for object or no. Reasons to provide custom check instead of default `ignore_revision_duplicates`: - no need to compare all revisions - it is OK if right object version exists in any revision; - need to compare object attributes (not serialized data) to avoid version creation on wrong <float> vs <int> comparison;
entailment
def get_ancestors(self): """ Get all unique instance ancestors """ ancestors = list(self.get_parents()) ancestor_unique_attributes = set([(a.__class__, a.id) for a in ancestors]) ancestors_with_parents = [a for a in ancestors if isinstance(a, DescendantMixin)] for ancestor in ancestors_with_parents: for parent in ancestor.get_ancestors(): if (parent.__class__, parent.id) not in ancestor_unique_attributes: ancestors.append(parent) return ancestors
Get all unique instance ancestors
entailment
def has_succeed(self): """ Check if the connection has succeed Returns: Returns True if connection has succeed. False otherwise. """ status_code = self._response.status_code if status_code in [HTTP_CODE_ZERO, HTTP_CODE_SUCCESS, HTTP_CODE_CREATED, HTTP_CODE_EMPTY, HTTP_CODE_MULTIPLE_CHOICES]: return True if status_code in [HTTP_CODE_BAD_REQUEST, HTTP_CODE_UNAUTHORIZED, HTTP_CODE_PERMISSION_DENIED, HTTP_CODE_NOT_FOUND, HTTP_CODE_METHOD_NOT_ALLOWED, HTTP_CODE_CONNECTION_TIMEOUT, HTTP_CODE_CONFLICT, HTTP_CODE_PRECONDITION_FAILED, HTTP_CODE_INTERNAL_SERVER_ERROR, HTTP_CODE_SERVICE_UNAVAILABLE]: return False raise Exception('Unknown status code %s.', status_code)
Check if the connection has succeed Returns: Returns True if connection has succeed. False otherwise.
entailment
def handle_response_for_connection(self, should_post=False): """ Check if the response succeed or not. In case of error, this method also print messages and set an array of errors in the response object. Returns: Returns True if the response has succeed, False otherwise """ status_code = self._response.status_code data = self._response.data # TODO : Get errors in response data after bug fix : http://mvjira.mv.usa.alcatel.com/browse/VSD-2735 if data and 'errors' in data: self._response.errors = data['errors'] if status_code in [HTTP_CODE_SUCCESS, HTTP_CODE_CREATED, HTTP_CODE_EMPTY]: return True if status_code == HTTP_CODE_MULTIPLE_CHOICES: return False if status_code in [HTTP_CODE_PERMISSION_DENIED, HTTP_CODE_UNAUTHORIZED]: if not should_post: return True return False if status_code in [HTTP_CODE_CONFLICT, HTTP_CODE_NOT_FOUND, HTTP_CODE_BAD_REQUEST, HTTP_CODE_METHOD_NOT_ALLOWED, HTTP_CODE_PRECONDITION_FAILED, HTTP_CODE_SERVICE_UNAVAILABLE]: if not should_post: return True return False if status_code == HTTP_CODE_INTERNAL_SERVER_ERROR: return False if status_code == HTTP_CODE_ZERO: bambou_logger.error("NURESTConnection: Connection error with code 0. Sending NUNURESTConnectionFailureNotification notification and exiting.") return False bambou_logger.error("NURESTConnection: Report this error, because this should not happen: %s" % self._response) return False
Check if the response succeed or not. In case of error, this method also print messages and set an array of errors in the response object. Returns: Returns True if the response has succeed, False otherwise
entailment
def _did_receive_response(self, response): """ Called when a response is received """ try: data = response.json() except: data = None self._response = NURESTResponse(status_code=response.status_code, headers=response.headers, data=data, reason=response.reason) level = logging.WARNING if self._response.status_code >= 300 else logging.DEBUG bambou_logger.info('< %s %s %s [%s] ' % (self._request.method, self._request.url, self._request.params if self._request.params else "", self._response.status_code)) bambou_logger.log(level, '< headers: %s' % self._response.headers) bambou_logger.log(level, '< data:\n%s' % json.dumps(self._response.data, indent=4)) self._callback(self) return self
Called when a response is received
entailment
def _did_timeout(self): """ Called when a resquest has timeout """ bambou_logger.debug('Bambou %s on %s has timeout (timeout=%ss)..' % (self._request.method, self._request.url, self.timeout)) self._has_timeouted = True if self.async: self._callback(self) else: return self
Called when a resquest has timeout
entailment
def _make_request(self, session=None): """ Make a synchronous request """ if session is None: session = NURESTSession.get_current_session() self._has_timeouted = False # Add specific headers controller = session.login_controller enterprise = controller.enterprise user_name = controller.user api_key = controller.api_key certificate = controller.certificate if self._root_object: enterprise = self._root_object.enterprise_name user_name = self._root_object.user_name api_key = self._root_object.api_key if self._uses_authentication: self._request.set_header('X-Nuage-Organization', enterprise) self._request.set_header('Authorization', controller.get_authentication_header(user_name, api_key)) if controller.is_impersonating: self._request.set_header('X-Nuage-ProxyUser', controller.impersonation) headers = self._request.headers data = json.dumps(self._request.data) bambou_logger.info('> %s %s %s' % (self._request.method, self._request.url, self._request.params if self._request.params else "")) bambou_logger.debug('> headers: %s' % headers) bambou_logger.debug('> data:\n %s' % json.dumps(self._request.data, indent=4)) response = self.__make_request(requests_session=session.requests_session, method=self._request.method, url=self._request.url, params=self._request.params, data=data, headers=headers, certificate=certificate) retry_request = False if response.status_code == HTTP_CODE_MULTIPLE_CHOICES: self._request.url += '?responseChoice=1' bambou_logger.debug('Bambou got [%s] response. Trying to force response choice' % HTTP_CODE_MULTIPLE_CHOICES) retry_request = True elif response.status_code == HTTP_CODE_AUTHENTICATION_EXPIRED and session: bambou_logger.debug('Bambou got [%s] response . Trying to reconnect your session that has expired' % HTTP_CODE_AUTHENTICATION_EXPIRED) session.reset() session.start() retry_request = True if retry_request: response = self.__make_request(requests_session=session.requests_session, method=self._request.method, url=self._request.url, params=self._request.params, data=data, headers=headers, certificate=certificate) return self._did_receive_response(response)
Make a synchronous request
entailment
def __make_request(self, requests_session, method, url, params, data, headers, certificate): """ Encapsulate requests call """ verify = False timeout = self.timeout try: # TODO : Remove this ugly try/except after fixing Java issue: http://mvjira.mv.usa.alcatel.com/browse/VSD-546 response = requests_session.request(method=method, url=url, data=data, headers=headers, verify=verify, timeout=timeout, params=params, cert=certificate) except requests.exceptions.SSLError: try: response = requests_session.request(method=method, url=url, data=data, headers=headers, verify=verify, timeout=timeout, params=params, cert=certificate) except requests.exceptions.Timeout: return self._did_timeout() except requests.exceptions.Timeout: return self._did_timeout() return response
Encapsulate requests call
entailment
def start(self): """ Make an HTTP request with a specific method """ # TODO : Use Timeout here and _ignore_request_idle from .nurest_session import NURESTSession session = NURESTSession.get_current_session() if self.async: thread = threading.Thread(target=self._make_request, kwargs={'session': session}) thread.is_daemon = False thread.start() return self.transaction_id return self._make_request(session=session)
Make an HTTP request with a specific method
entailment
def reset(self): """ Reset the connection """ self._request = None self._response = None self._transaction_id = uuid.uuid4().hex
Reset the connection
entailment
def create(self, price_estimate): """ Take configuration from previous month, it it exists. Set last_update_time equals to the beginning of the month. """ kwargs = {} try: previous_price_estimate = price_estimate.get_previous() except ObjectDoesNotExist: pass else: configuration = previous_price_estimate.consumption_details.configuration kwargs['configuration'] = configuration month_start = core_utils.month_start(datetime.date(price_estimate.year, price_estimate.month, 1)) kwargs['last_update_time'] = month_start return super(ConsumptionDetailsQuerySet, self).create(price_estimate=price_estimate, **kwargs)
Take configuration from previous month, it it exists. Set last_update_time equals to the beginning of the month.
entailment
def get_fields(self): """ When static declaration is used, event type choices are fetched too early - even before all apps are initialized. As a result, some event types are missing. When dynamic declaration is used, all valid event types are available as choices. """ fields = super(BaseHookSerializer, self).get_fields() fields['event_types'] = serializers.MultipleChoiceField( choices=loggers.get_valid_events(), required=False) fields['event_groups'] = serializers.MultipleChoiceField( choices=loggers.get_event_groups_keys(), required=False) return fields
When static declaration is used, event type choices are fetched too early - even before all apps are initialized. As a result, some event types are missing. When dynamic declaration is used, all valid event types are available as choices.
entailment
def build_nested_field(self, field_name, relation_info, nested_depth): """ Use PriceEstimateSerializer to serialize estimate children """ if field_name != 'children': return super(PriceEstimateSerializer, self).build_nested_field(field_name, relation_info, nested_depth) field_class = self.__class__ field_kwargs = {'read_only': True, 'many': True, 'context': {'depth': nested_depth - 1}} return field_class, field_kwargs
Use PriceEstimateSerializer to serialize estimate children
entailment
def prepare_for_reraise(error, exc_info=None): """Prepares the exception for re-raising with reraise method. This method attaches type and traceback info to the error object so that reraise can properly reraise it using this info. """ if not hasattr(error, "_type_"): if exc_info is None: exc_info = sys.exc_info() error._type_ = exc_info[0] error._traceback = exc_info[2] return error
Prepares the exception for re-raising with reraise method. This method attaches type and traceback info to the error object so that reraise can properly reraise it using this info.
entailment
def reraise(error): """Re-raises the error that was processed by prepare_for_reraise earlier.""" if hasattr(error, "_type_"): six.reraise(type(error), error, error._traceback) raise error
Re-raises the error that was processed by prepare_for_reraise earlier.
entailment
def register(*args, **kwargs): """ Creates a registrator that, being called with a function as the only argument, wraps a function with ``pyws.functions.NativeFunctionAdapter`` and registers it to the server. Arguments are exactly the same as for ``pyws.functions.NativeFunctionAdapter`` except that you can pass an additional keyword argument ``to`` designating the name of the server which the function must be registered to: >>> from pyws.server import Server >>> server = Server() >>> from pyws.functions.register import register >>> @register() ... def say_hello(name): ... return 'Hello, %s' % name >>> server.get_functions(context=None)[0].name 'say_hello' >>> another_server = Server(dict(NAME='another_server')) >>> @register(to='another_server', return_type=int, args=(int, 0)) ... def gimme_more(x): ... return x * 2 >>> another_server.get_functions(context=None)[0].name 'gimme_more' """ if args and callable(args[0]): raise ConfigurationError( 'You might have tried to decorate a function directly with ' '@register which is not supported, use @register(...) instead') def registrator(origin): try: server = SERVERS[kwargs.pop('to')] except KeyError: server = SERVERS.default server.add_function( NativeFunctionAdapter(origin, *args, **kwargs)) return origin return registrator
Creates a registrator that, being called with a function as the only argument, wraps a function with ``pyws.functions.NativeFunctionAdapter`` and registers it to the server. Arguments are exactly the same as for ``pyws.functions.NativeFunctionAdapter`` except that you can pass an additional keyword argument ``to`` designating the name of the server which the function must be registered to: >>> from pyws.server import Server >>> server = Server() >>> from pyws.functions.register import register >>> @register() ... def say_hello(name): ... return 'Hello, %s' % name >>> server.get_functions(context=None)[0].name 'say_hello' >>> another_server = Server(dict(NAME='another_server')) >>> @register(to='another_server', return_type=int, args=(int, 0)) ... def gimme_more(x): ... return x * 2 >>> another_server.get_functions(context=None)[0].name 'gimme_more'
entailment
def rest_name(cls): """ Represents a singular REST name """ if cls.__name__ == "NURESTRootObject" or cls.__name__ == "NURESTObject": return "Not Implemented" if cls.__rest_name__ is None: raise NotImplementedError('%s has no defined name. Implement rest_name property first.' % cls) return cls.__rest_name__
Represents a singular REST name
entailment
def resource_name(cls): """ Represents the resource name """ if cls.__name__ == "NURESTRootObject" or cls.__name__ == "NURESTObject": return "Not Implemented" if cls.__resource_name__ is None: raise NotImplementedError('%s has no defined resource name. Implement resource_name property first.' % cls) return cls.__resource_name__
Represents the resource name
entailment
def _compute_args(self, data=dict(), **kwargs): """ Compute the arguments Try to import attributes from data. Otherwise compute kwargs arguments. Args: data: a dict() kwargs: a list of arguments """ for name, remote_attribute in self._attributes.items(): default_value = BambouConfig.get_default_attribute_value(self.__class__, name, remote_attribute.attribute_type) setattr(self, name, default_value) if len(data) > 0: self.from_dict(data) for key, value in kwargs.items(): if hasattr(self, key): setattr(self, key, value)
Compute the arguments Try to import attributes from data. Otherwise compute kwargs arguments. Args: data: a dict() kwargs: a list of arguments
entailment
def children_rest_names(self): """ Gets the list of all possible children ReST names. Returns: list: list containing all possible rest names as string Example: >>> entity = NUEntity() >>> entity.children_rest_names ["foo", "bar"] """ names = [] for fetcher in self.fetchers: names.append(fetcher.__class__.managed_object_rest_name()) return names
Gets the list of all possible children ReST names. Returns: list: list containing all possible rest names as string Example: >>> entity = NUEntity() >>> entity.children_rest_names ["foo", "bar"]
entailment
def get_resource_url(self): """ Get resource complete url """ name = self.__class__.resource_name url = self.__class__.rest_base_url() if self.id is not None: return "%s/%s/%s" % (url, name, self.id) return "%s/%s" % (url, name)
Get resource complete url
entailment
def validate(self): """ Validate the current object attributes. Check all attributes and store errors Returns: Returns True if all attibutes of the object respect contraints. Returns False otherwise and store error in errors dict. """ self._attribute_errors = dict() # Reset validation errors for local_name, attribute in self._attributes.items(): value = getattr(self, local_name, None) if attribute.is_required and (value is None or value == ""): self._attribute_errors[local_name] = {'title': 'Invalid input', 'description': 'This value is mandatory.', 'remote_name': attribute.remote_name} continue if value is None: continue # without error if not self._validate_type(local_name, attribute.remote_name, value, attribute.attribute_type): continue if attribute.min_length is not None and len(value) < attribute.min_length: self._attribute_errors[local_name] = {'title': 'Invalid length', 'description': 'Attribute %s minimum length should be %s but is %s' % (attribute.remote_name, attribute.min_length, len(value)), 'remote_name': attribute.remote_name} continue if attribute.max_length is not None and len(value) > attribute.max_length: self._attribute_errors[local_name] = {'title': 'Invalid length', 'description': 'Attribute %s maximum length should be %s but is %s' % (attribute.remote_name, attribute.max_length, len(value)), 'remote_name': attribute.remote_name} continue if attribute.attribute_type == list: valid = True for item in value: if valid is True: valid = self._validate_value(local_name, attribute, item) else: self._validate_value(local_name, attribute, value) return self.is_valid()
Validate the current object attributes. Check all attributes and store errors Returns: Returns True if all attibutes of the object respect contraints. Returns False otherwise and store error in errors dict.
entailment
def expose_attribute(self, local_name, attribute_type, remote_name=None, display_name=None, is_required=False, is_readonly=False, max_length=None, min_length=None, is_identifier=False, choices=None, is_unique=False, is_email=False, is_login=False, is_editable=True, is_password=False, can_order=False, can_search=False, subtype=None, min_value=None, max_value=None): """ Expose local_name as remote_name An exposed attribute `local_name` will be sent within the HTTP request as a `remote_name` """ if remote_name is None: remote_name = local_name if display_name is None: display_name = local_name attribute = NURemoteAttribute(local_name=local_name, remote_name=remote_name, attribute_type=attribute_type) attribute.display_name = display_name attribute.is_required = is_required attribute.is_readonly = is_readonly attribute.min_length = min_length attribute.max_length = max_length attribute.is_editable = is_editable attribute.is_identifier = is_identifier attribute.choices = choices attribute.is_unique = is_unique attribute.is_email = is_email attribute.is_login = is_login attribute.is_password = is_password attribute.can_order = can_order attribute.can_search = can_search attribute.subtype = subtype attribute.min_value = min_value attribute.max_value = max_value self._attributes[local_name] = attribute
Expose local_name as remote_name An exposed attribute `local_name` will be sent within the HTTP request as a `remote_name`
entailment
def is_owned_by_current_user(self): """ Check if the current user owns the object """ from bambou.nurest_root_object import NURESTRootObject root_object = NURESTRootObject.get_default_root_object() return self._owner == root_object.id
Check if the current user owns the object
entailment
def parent_for_matching_rest_name(self, rest_names): """ Return parent that matches a rest name """ parent = self while parent: if parent.rest_name in rest_names: return parent parent = parent.parent_object return None
Return parent that matches a rest name
entailment
def genealogic_types(self): """ Get genealogic types Returns: Returns a list of all parent types """ types = [] parent = self while parent: types.append(parent.rest_name) parent = parent.parent_object return types
Get genealogic types Returns: Returns a list of all parent types
entailment
def genealogic_ids(self): """ Get all genealogic ids Returns: A list of all parent ids """ ids = [] parent = self while parent: ids.append(parent.id) parent = parent.parent_object return ids
Get all genealogic ids Returns: A list of all parent ids
entailment
def get_formated_creation_date(self, format='%b %Y %d %H:%I:%S'): """ Return creation date with a given format. Default is '%b %Y %d %H:%I:%S' """ if not self._creation_date: return None date = datetime.datetime.utcfromtimestamp(self._creation_date) return date.strftime(format)
Return creation date with a given format. Default is '%b %Y %d %H:%I:%S'
entailment
def add_child(self, child): """ Add a child """ rest_name = child.rest_name children = self.fetcher_for_rest_name(rest_name) if children is None: raise InternalConsitencyError('Could not find fetcher with name %s while adding %s in parent %s' % (rest_name, child, self)) if child not in children: child.parent_object = self children.append(child)
Add a child
entailment
def remove_child(self, child): """ Remove a child """ rest_name = child.rest_name children = self.fetcher_for_rest_name(rest_name) target_child = None for local_child in children: if local_child.id == child.id: target_child = local_child break if target_child: target_child.parent_object = None children.remove(target_child)
Remove a child
entailment
def update_child(self, child): """ Update child """ rest_name = child.rest_name children = self.fetcher_for_rest_name(rest_name) index = None for local_child in children: if local_child.id == child.id: index = children.index(local_child) break if index is not None: children[index] = child
Update child
entailment
def to_dict(self): """ Converts the current object into a Dictionary using all exposed ReST attributes. Returns: dict: the dictionary containing all the exposed ReST attributes and their values. Example:: >>> print entity.to_dict() {"name": "my entity", "description": "Hello World", "ID": "xxxx-xxx-xxxx-xxx", ...} """ dictionary = dict() for local_name, attribute in self._attributes.items(): remote_name = attribute.remote_name if hasattr(self, local_name): value = getattr(self, local_name) # Removed to resolve issue http://mvjira.mv.usa.alcatel.com/browse/VSD-5940 (12/15/2014) # if isinstance(value, bool): # value = int(value) if isinstance(value, NURESTObject): value = value.to_dict() if isinstance(value, list) and len(value) > 0 and isinstance(value[0], NURESTObject): tmp = list() for obj in value: tmp.append(obj.to_dict()) value = tmp dictionary[remote_name] = value else: pass # pragma: no cover return dictionary
Converts the current object into a Dictionary using all exposed ReST attributes. Returns: dict: the dictionary containing all the exposed ReST attributes and their values. Example:: >>> print entity.to_dict() {"name": "my entity", "description": "Hello World", "ID": "xxxx-xxx-xxxx-xxx", ...}
entailment
def from_dict(self, dictionary): """ Sets all the exposed ReST attribues from the given dictionary Args: dictionary (dict): dictionnary containing the raw object attributes and their values. Example: >>> info = {"name": "my group", "private": False} >>> group = NUGroup() >>> group.from_dict(info) >>> print "name: %s - private: %s" % (group.name, group.private) "name: my group - private: False" """ for remote_name, remote_value in dictionary.items(): # Check if a local attribute is exposed with the remote_name # if no attribute is exposed, return None local_name = next((name for name, attribute in self._attributes.items() if attribute.remote_name == remote_name), None) if local_name: setattr(self, local_name, remote_value) else: # print('Attribute %s could not be added to object %s' % (remote_name, self)) pass
Sets all the exposed ReST attribues from the given dictionary Args: dictionary (dict): dictionnary containing the raw object attributes and their values. Example: >>> info = {"name": "my group", "private": False} >>> group = NUGroup() >>> group.from_dict(info) >>> print "name: %s - private: %s" % (group.name, group.private) "name: my group - private: False"
entailment
def delete(self, response_choice=1, async=False, callback=None): """ Delete object and call given callback in case of call. Args: response_choice (int): Automatically send a response choice when confirmation is needed async (bool): Boolean to make an asynchronous call. Default is False callback (function): Callback method that will be triggered in case of asynchronous call Example: >>> entity.delete() # will delete the enterprise from the server """ return self._manage_child_object(nurest_object=self, method=HTTP_METHOD_DELETE, async=async, callback=callback, response_choice=response_choice)
Delete object and call given callback in case of call. Args: response_choice (int): Automatically send a response choice when confirmation is needed async (bool): Boolean to make an asynchronous call. Default is False callback (function): Callback method that will be triggered in case of asynchronous call Example: >>> entity.delete() # will delete the enterprise from the server
entailment
def save(self, response_choice=None, async=False, callback=None): """ Update object and call given callback in case of async call Args: async (bool): Boolean to make an asynchronous call. Default is False callback (function): Callback method that will be triggered in case of asynchronous call Example: >>> entity.name = "My Super Object" >>> entity.save() # will save the new name in the server """ return self._manage_child_object(nurest_object=self, method=HTTP_METHOD_PUT, async=async, callback=callback, response_choice=response_choice)
Update object and call given callback in case of async call Args: async (bool): Boolean to make an asynchronous call. Default is False callback (function): Callback method that will be triggered in case of asynchronous call Example: >>> entity.name = "My Super Object" >>> entity.save() # will save the new name in the server
entailment
def send_request(self, request, async=False, local_callback=None, remote_callback=None, user_info=None): """ Sends a request, calls the local callback, then the remote callback in case of async call Args: request: The request to send local_callback: local method that will be triggered in case of async call remote_callback: remote moethd that will be triggered in case of async call user_info: contains additionnal information to carry during the request Returns: Returns the object and connection (object, connection) """ callbacks = dict() if local_callback: callbacks['local'] = local_callback if remote_callback: callbacks['remote'] = remote_callback connection = NURESTConnection(request=request, async=async, callback=self._did_receive_response, callbacks=callbacks) connection.user_info = user_info return connection.start()
Sends a request, calls the local callback, then the remote callback in case of async call Args: request: The request to send local_callback: local method that will be triggered in case of async call remote_callback: remote moethd that will be triggered in case of async call user_info: contains additionnal information to carry during the request Returns: Returns the object and connection (object, connection)
entailment
def _manage_child_object(self, nurest_object, method=HTTP_METHOD_GET, async=False, callback=None, handler=None, response_choice=None, commit=False): """ Low level child management. Send given HTTP method with given nurest_object to given ressource of current object Args: nurest_object: the NURESTObject object to manage method: the HTTP method to use (GET, POST, PUT, DELETE) callback: the callback to call at the end handler: a custom handler to call when complete, before calling the callback commit: True to auto commit changes in the current object Returns: Returns the object and connection (object, connection) """ url = None if method == HTTP_METHOD_POST: url = self.get_resource_url_for_child_type(nurest_object.__class__) else: url = self.get_resource_url() if response_choice is not None: url += '?responseChoice=%s' % response_choice request = NURESTRequest(method=method, url=url, data=nurest_object.to_dict()) user_info = {'nurest_object': nurest_object, 'commit': commit} if not handler: handler = self._did_perform_standard_operation if async: return self.send_request(request=request, async=async, local_callback=handler, remote_callback=callback, user_info=user_info) else: connection = self.send_request(request=request, user_info=user_info) return handler(connection)
Low level child management. Send given HTTP method with given nurest_object to given ressource of current object Args: nurest_object: the NURESTObject object to manage method: the HTTP method to use (GET, POST, PUT, DELETE) callback: the callback to call at the end handler: a custom handler to call when complete, before calling the callback commit: True to auto commit changes in the current object Returns: Returns the object and connection (object, connection)
entailment
def _did_receive_response(self, connection): """ Receive a response from the connection """ if connection.has_timeouted: bambou_logger.info("NURESTConnection has timeout.") return has_callbacks = connection.has_callbacks() should_post = not has_callbacks if connection.handle_response_for_connection(should_post=should_post) and has_callbacks: callback = connection.callbacks['local'] callback(connection)
Receive a response from the connection
entailment
def _did_retrieve(self, connection): """ Callback called after fetching the object """ response = connection.response try: self.from_dict(response.data[0]) except: pass return self._did_perform_standard_operation(connection)
Callback called after fetching the object
entailment
def _did_perform_standard_operation(self, connection): """ Performs standard opertions """ if connection.async: callback = connection.callbacks['remote'] if connection.user_info and 'nurest_object' in connection.user_info: callback(connection.user_info['nurest_object'], connection) else: callback(self, connection) else: if connection.response.status_code >= 400 and BambouConfig._should_raise_bambou_http_error: raise BambouHTTPError(connection=connection) # Case with multiple objects like assignment if connection.user_info and 'nurest_objects' in connection.user_info: if connection.user_info['commit']: for nurest_object in connection.user_info['nurest_objects']: self.add_child(nurest_object) return (connection.user_info['nurest_objects'], connection) if connection.user_info and 'nurest_object' in connection.user_info: if connection.user_info['commit']: self.add_child(connection.user_info['nurest_object']) return (connection.user_info['nurest_object'], connection) return (self, connection)
Performs standard opertions
entailment
def create_child(self, nurest_object, response_choice=None, async=False, callback=None, commit=True): """ Add given nurest_object to the current object For example, to add a child into a parent, you can call parent.create_child(nurest_object=child) Args: nurest_object (bambou.NURESTObject): the NURESTObject object to add response_choice (int): Automatically send a response choice when confirmation is needed async (bool): should the request be done asynchronously or not callback (function): callback containing the object and the connection Returns: Returns the object and connection (object, connection) Example: >>> entity = NUEntity(name="Super Entity") >>> parent_entity.create_child(entity) # the new entity as been created in the parent_entity """ # if nurest_object.id: # raise InternalConsitencyError("Cannot create a child that already has an ID: %s." % nurest_object) return self._manage_child_object(nurest_object=nurest_object, async=async, method=HTTP_METHOD_POST, callback=callback, handler=self._did_create_child, response_choice=response_choice, commit=commit)
Add given nurest_object to the current object For example, to add a child into a parent, you can call parent.create_child(nurest_object=child) Args: nurest_object (bambou.NURESTObject): the NURESTObject object to add response_choice (int): Automatically send a response choice when confirmation is needed async (bool): should the request be done asynchronously or not callback (function): callback containing the object and the connection Returns: Returns the object and connection (object, connection) Example: >>> entity = NUEntity(name="Super Entity") >>> parent_entity.create_child(entity) # the new entity as been created in the parent_entity
entailment
def instantiate_child(self, nurest_object, from_template, response_choice=None, async=False, callback=None, commit=True): """ Instantiate an nurest_object from a template object Args: nurest_object: the NURESTObject object to add from_template: the NURESTObject template object callback: callback containing the object and the connection Returns: Returns the object and connection (object, connection) Example: >>> parent_entity = NUParentEntity(id="xxxx-xxxx-xxx-xxxx") # create a NUParentEntity with an existing ID (or retrieve one) >>> other_entity_template = NUOtherEntityTemplate(id="yyyy-yyyy-yyyy-yyyy") # create a NUOtherEntityTemplate with an existing ID (or retrieve one) >>> other_entity_instance = NUOtherEntityInstance(name="my new instance") # create a new NUOtherEntityInstance to be intantiated from other_entity_template >>> >>> parent_entity.instantiate_child(other_entity_instance, other_entity_template) # instatiate the new domain in the server """ # if nurest_object.id: # raise InternalConsitencyError("Cannot instantiate a child that already has an ID: %s." % nurest_object) if not from_template.id: raise InternalConsitencyError("Cannot instantiate a child from a template with no ID: %s." % from_template) nurest_object.template_id = from_template.id return self._manage_child_object(nurest_object=nurest_object, async=async, method=HTTP_METHOD_POST, callback=callback, handler=self._did_create_child, response_choice=response_choice, commit=commit)
Instantiate an nurest_object from a template object Args: nurest_object: the NURESTObject object to add from_template: the NURESTObject template object callback: callback containing the object and the connection Returns: Returns the object and connection (object, connection) Example: >>> parent_entity = NUParentEntity(id="xxxx-xxxx-xxx-xxxx") # create a NUParentEntity with an existing ID (or retrieve one) >>> other_entity_template = NUOtherEntityTemplate(id="yyyy-yyyy-yyyy-yyyy") # create a NUOtherEntityTemplate with an existing ID (or retrieve one) >>> other_entity_instance = NUOtherEntityInstance(name="my new instance") # create a new NUOtherEntityInstance to be intantiated from other_entity_template >>> >>> parent_entity.instantiate_child(other_entity_instance, other_entity_template) # instatiate the new domain in the server
entailment
def _did_create_child(self, connection): """ Callback called after adding a new child nurest_object """ response = connection.response try: connection.user_info['nurest_object'].from_dict(response.data[0]) except Exception: pass return self._did_perform_standard_operation(connection)
Callback called after adding a new child nurest_object
entailment
def assign(self, objects, nurest_object_type, async=False, callback=None, commit=True): """ Reference a list of objects into the current resource Args: objects (list): list of NURESTObject to link nurest_object_type (type): Type of the object to link callback (function): Callback method that should be fired at the end Returns: Returns the current object and the connection (object, connection) Example: >>> entity.assign([entity1, entity2, entity3], NUEntity) # entity1, entity2 and entity3 are now part of the entity """ ids = list() for nurest_object in objects: ids.append(nurest_object.id) url = self.get_resource_url_for_child_type(nurest_object_type) request = NURESTRequest(method=HTTP_METHOD_PUT, url=url, data=ids) user_info = {'nurest_objects': objects, 'commit': commit} if async: return self.send_request(request=request, async=async, local_callback=self._did_perform_standard_operation, remote_callback=callback, user_info=user_info) else: connection = self.send_request(request=request, user_info=user_info) return self._did_perform_standard_operation(connection)
Reference a list of objects into the current resource Args: objects (list): list of NURESTObject to link nurest_object_type (type): Type of the object to link callback (function): Callback method that should be fired at the end Returns: Returns the current object and the connection (object, connection) Example: >>> entity.assign([entity1, entity2, entity3], NUEntity) # entity1, entity2 and entity3 are now part of the entity
entailment
def rest_equals(self, rest_object): """ Compare objects REST attributes """ if not self.equals(rest_object): return False return self.to_dict() == rest_object.to_dict()
Compare objects REST attributes
entailment
def equals(self, rest_object): """ Compare with another object """ if self._is_dirty: return False if rest_object is None: return False if not isinstance(rest_object, NURESTObject): raise TypeError('The object is not a NURESTObject %s' % rest_object) if self.rest_name != rest_object.rest_name: return False if self.id and rest_object.id: return self.id == rest_object.id if self.local_id and rest_object.local_id: return self.local_id == rest_object.local_id return False
Compare with another object
entailment
def get_ip_address(request): """ Correct IP address is expected as first element of HTTP_X_FORWARDED_FOR or REMOTE_ADDR """ if 'HTTP_X_FORWARDED_FOR' in request.META: return request.META['HTTP_X_FORWARDED_FOR'].split(',')[0].strip() else: return request.META['REMOTE_ADDR']
Correct IP address is expected as first element of HTTP_X_FORWARDED_FOR or REMOTE_ADDR
entailment
def get_estimates_without_scope_in_month(self, customer): """ It is expected that valid row for each month contains at least one price estimate for customer, service setting, service, service project link, project and resource. Otherwise all price estimates in the row should be deleted. """ estimates = self.get_price_estimates_for_customer(customer) if not estimates: return [] tables = {model: collections.defaultdict(list) for model in self.get_estimated_models()} dates = set() for estimate in estimates: date = (estimate.year, estimate.month) dates.add(date) cls = estimate.content_type.model_class() for model, table in tables.items(): if issubclass(cls, model): table[date].append(estimate) break invalid_estimates = [] for date in dates: if any(map(lambda table: len(table[date]) == 0, tables.values())): for table in tables.values(): invalid_estimates.extend(table[date]) print(invalid_estimates) return invalid_estimates
It is expected that valid row for each month contains at least one price estimate for customer, service setting, service, service project link, project and resource. Otherwise all price estimates in the row should be deleted.
entailment
def is_identifier(self, is_identifier): """ Setter for is_identifier """ if is_identifier: self.is_editable = False self._is_identifier = is_identifier
Setter for is_identifier
entailment
def is_password(self, is_password): """ Setter for is_identifier """ if is_password: self.is_forgetable = True self._is_password = is_password
Setter for is_identifier
entailment
def choices(self, choices): """ Setter for is_identifier """ if choices is not None and len(choices) > 0: self.has_choices = True self._choices = choices
Setter for is_identifier
entailment
def get_default_value(self): """ Get a default value of the attribute_type """ if self.choices: return self.choices[0] value = self.attribute_type() if self.attribute_type is time: value = int(value) elif self.attribute_type is str: value = "A" if self.min_length: if self.attribute_type is str: value = value.ljust(self.min_length, 'a') elif self.attribute_type is int: value = self.min_length elif self.max_length: if self.attribute_type is str: value = value.ljust(self.max_length, 'a') elif self.attribute_type is int: value = self.max_length return value
Get a default value of the attribute_type
entailment
def get_min_value(self): """ Get the minimum value """ value = self.get_default_value() if self.attribute_type is str: min_value = value[:self.min_length - 1] elif self.attribute_type is int: min_value = self.min_length - 1 else: raise TypeError('Attribute %s can not have a minimum value' % self.local_name) return min_value
Get the minimum value
entailment
def get_max_value(self): """ Get the maximum value """ value = self.get_default_value() if self.attribute_type is str: max_value = value.ljust(self.max_length + 1, 'a') elif self.attribute_type is int: max_value = self.max_length + 1 else: raise TypeError('Attribute %s can not have a maximum value' % self.local_name) return max_value
Get the maximum value
entailment
def get_api_root_view(self, api_urls=None): """ Return a basic root view. """ api_root_dict = OrderedDict() list_name = self.routes[0].name for prefix, viewset, basename in self.registry: api_root_dict[prefix] = list_name.format(basename=basename) class APIRootView(views.APIView): _ignore_model_permissions = True exclude_from_schema = True def get(self, request, *args, **kwargs): # Return a plain {"name": "hyperlink"} response. ret = OrderedDict() namespace = request.resolver_match.namespace for key, url_name in sorted(api_root_dict.items(), key=itemgetter(0)): if namespace: url_name = namespace + ':' + url_name try: ret[key] = reverse( url_name, args=args, kwargs=kwargs, request=request, format=kwargs.get('format', None) ) except NoReverseMatch: # Don't bail out if eg. no list routes exist, only detail routes. continue return Response(ret) return APIRootView.as_view()
Return a basic root view.
entailment
def get_default_base_name(self, viewset): """ Attempt to automatically determine base name using `get_url_name`. """ queryset = getattr(viewset, 'queryset', None) if queryset is not None: get_url_name = getattr(queryset.model, 'get_url_name', None) if get_url_name is not None: return get_url_name() return super(SortedDefaultRouter, self).get_default_base_name(viewset)
Attempt to automatically determine base name using `get_url_name`.
entailment
def change_customer_nc_users_quota(sender, structure, user, role, signal, **kwargs): """ Modify nc_user_count quota usage on structure role grant or revoke """ assert signal in (signals.structure_role_granted, signals.structure_role_revoked), \ 'Handler "change_customer_nc_users_quota" has to be used only with structure_role signals' assert sender in (Customer, Project), \ 'Handler "change_customer_nc_users_quota" works only with Project and Customer models' if sender == Customer: customer = structure elif sender == Project: customer = structure.customer customer_users = customer.get_users() customer.set_quota_usage(Customer.Quotas.nc_user_count, customer_users.count())
Modify nc_user_count quota usage on structure role grant or revoke
entailment
def delete_service_settings_on_service_delete(sender, instance, **kwargs): """ Delete not shared service settings without services """ service = instance try: service_settings = service.settings except ServiceSettings.DoesNotExist: # If this handler works together with delete_service_settings_on_scope_delete # it tries to delete service settings that are already deleted. return if not service_settings.shared: service.settings.delete()
Delete not shared service settings without services
entailment
def delete_service_settings_on_scope_delete(sender, instance, **kwargs): """ If VM that contains service settings were deleted - all settings resources could be safely deleted from NC. """ for service_settings in ServiceSettings.objects.filter(scope=instance): service_settings.unlink_descendants() service_settings.delete()
If VM that contains service settings were deleted - all settings resources could be safely deleted from NC.
entailment
def url(self, url): """ Set API URL endpoint Args: url: the url of the API endpoint """ if url and url.endswith('/'): url = url[:-1] self._url = url
Set API URL endpoint Args: url: the url of the API endpoint
entailment
def get_authentication_header(self, user=None, api_key=None, password=None, certificate=None): """ Return authenication string to place in Authorization Header If API Token is set, it'll be used. Otherwise, the clear text password will be sent. Users of NURESTLoginController are responsible to clean the password property. Returns: Returns the XREST Authentication string with API Key or user password encoded. """ if not user: user = self.user if not api_key: api_key = self.api_key if not password: password = self.password if not password: password = self.password if not certificate: certificate = self._certificate if certificate: return "XREST %s" % urlsafe_b64encode("{}:".format(user).encode('utf-8')).decode('utf-8') if api_key: return "XREST %s" % urlsafe_b64encode("{}:{}".format(user, api_key).encode('utf-8')).decode('utf-8') return "XREST %s" % urlsafe_b64encode("{}:{}".format(user, password).encode('utf-8')).decode('utf-8')
Return authenication string to place in Authorization Header If API Token is set, it'll be used. Otherwise, the clear text password will be sent. Users of NURESTLoginController are responsible to clean the password property. Returns: Returns the XREST Authentication string with API Key or user password encoded.
entailment
def reset(self): """ Reset controller It removes all information about previous session """ self._is_impersonating = False self._impersonation = None self.user = None self.password = None self.api_key = None self.enterprise = None self.url = None
Reset controller It removes all information about previous session
entailment
def impersonate(self, user, enterprise): """ Impersonate a user in a enterprise Args: user: the name of the user to impersonate enterprise: the name of the enterprise where to use impersonation """ if not user or not enterprise: raise ValueError('You must set a user name and an enterprise name to begin impersonification') self._is_impersonating = True self._impersonation = "%s@%s" % (user, enterprise)
Impersonate a user in a enterprise Args: user: the name of the user to impersonate enterprise: the name of the enterprise where to use impersonation
entailment
def equals(self, controller): """ Verify if the controller corresponds to the current one. """ if controller is None: return False return self.user == controller.user and self.enterprise == controller.enterprise and self.url == controller.url
Verify if the controller corresponds to the current one.
entailment
def create_application(server, root_url): """ WSGI adapter. It creates a simple WSGI application, that can be used with any WSGI server. The arguments are: #. ``server`` is a pyws server object, #. ``root_url`` is an URL to which the server will be bound. An application created by the function transforms WSGI environment into a pyws request object. Then it feeds the request to the server, gets the response, sets header ``Content-Type`` and returns response text. """ def serve(environ, start_response): root = root_url.lstrip('/') tail, get = (util.request_uri(environ).split('?') + [''])[:2] tail = tail[len(util.application_uri(environ)):] tail = tail.lstrip('/') result = [] content_type = 'text/plain' status = '200 OK' if tail.startswith(root): tail = tail[len(root):] get = parse_qs(get) method = environ['REQUEST_METHOD'] text, post = '', {} if method == 'POST': text = environ['wsgi.input'].\ read(int(environ.get('CONTENT_LENGTH', 0))) post = parse_qs(text) response = server.process_request( Request(tail, text, get, post, {})) content_type = response.content_type status = get_http_response_code(response) result.append(response.text) headers = [('Content-type', content_type)] start_response(status, headers) return result return serve
WSGI adapter. It creates a simple WSGI application, that can be used with any WSGI server. The arguments are: #. ``server`` is a pyws server object, #. ``root_url`` is an URL to which the server will be bound. An application created by the function transforms WSGI environment into a pyws request object. Then it feeds the request to the server, gets the response, sets header ``Content-Type`` and returns response text.
entailment
def compiler_dialect(paramstyle='named'): """ 构建dialect """ dialect = SQLiteDialect_pysqlite( json_serializer=json.dumps, json_deserializer=json_deserializer, paramstyle=paramstyle ) dialect.default_paramstyle = paramstyle dialect.statement_compiler = ACompiler_sqlite return dialect
构建dialect
entailment
def create_engine( database, minsize=1, maxsize=10, loop=None, dialect=_dialect, paramstyle=None, **kwargs): """ A coroutine for Engine creation. Returns Engine instance with embedded connection pool. The pool has *minsize* opened connections to sqlite3. """ coro = _create_engine( database=database, minsize=minsize, maxsize=maxsize, loop=loop, dialect=dialect, paramstyle=paramstyle, **kwargs ) return _EngineContextManager(coro)
A coroutine for Engine creation. Returns Engine instance with embedded connection pool. The pool has *minsize* opened connections to sqlite3.
entailment
def release(self, conn): """Revert back connection to pool.""" if conn.in_transaction: raise InvalidRequestError( "Cannot release a connection with " "not finished transaction" ) raw = conn.connection res = yield from self._pool.release(raw) return res
Revert back connection to pool.
entailment
def get_configuration(cls, resource): """ Return how much consumables are used by resource with current configuration. Output example: { <ConsumableItem instance>: <usage>, <ConsumableItem instance>: <usage>, ... } """ strategy = cls._get_strategy(resource.__class__) return strategy.get_configuration(resource)
Return how much consumables are used by resource with current configuration. Output example: { <ConsumableItem instance>: <usage>, <ConsumableItem instance>: <usage>, ... }
entailment
def close(self): """Close this ResultProxy. Closes the underlying DBAPI cursor corresponding to the execution. Note that any data cached within this ResultProxy is still available. For some types of results, this may include buffered rows. If this ResultProxy was generated from an implicit execution, the underlying Connection will also be closed (returns the underlying DBAPI connection to the connection pool.) This method is called automatically when: * all result rows are exhausted using the fetchXXX() methods. * cursor.description is None. """ if not self._closed: self._closed = True yield from self._cursor.close() # allow consistent errors self._cursor = None self._weak = None else: # pragma: no cover pass
Close this ResultProxy. Closes the underlying DBAPI cursor corresponding to the execution. Note that any data cached within this ResultProxy is still available. For some types of results, this may include buffered rows. If this ResultProxy was generated from an implicit execution, the underlying Connection will also be closed (returns the underlying DBAPI connection to the connection pool.) This method is called automatically when: * all result rows are exhausted using the fetchXXX() methods. * cursor.description is None.
entailment
def get_version(): """Obtain the version number""" import imp import os mod = imp.load_source( 'version', os.path.join('skdata', '__init__.py') ) return mod.__version__
Obtain the version number
entailment
def accept(self, request, uuid=None): """ Accept invitation for current user. To replace user's email with email from invitation - add parameter 'replace_email' to request POST body. """ invitation = self.get_object() if invitation.state != models.Invitation.State.PENDING: raise ValidationError(_('Only pending invitation can be accepted.')) elif invitation.civil_number and invitation.civil_number != request.user.civil_number: raise ValidationError(_('User has an invalid civil number.')) if invitation.project: if invitation.project.has_user(request.user): raise ValidationError(_('User already has role within this project.')) elif invitation.customer.has_user(request.user): raise ValidationError(_('User already has role within this customer.')) if settings.WALDUR_CORE['VALIDATE_INVITATION_EMAIL'] and invitation.email != request.user.email: raise ValidationError(_('Invitation and user emails mismatch.')) replace_email = bool(request.data.get('replace_email')) invitation.accept(request.user, replace_email=replace_email) return Response({'detail': _('Invitation has been successfully accepted.')}, status=status.HTTP_200_OK)
Accept invitation for current user. To replace user's email with email from invitation - add parameter 'replace_email' to request POST body.
entailment
def scope_deletion(sender, instance, **kwargs): """ Run different actions on price estimate scope deletion. If scope is a customer - delete all customer estimates and their children. If scope is a deleted resource - redefine consumption details, recalculate ancestors estimates and update estimate details. If scope is a unlinked resource - delete all resource price estimates and update ancestors. In all other cases - update price estimate details. """ is_resource = isinstance(instance, structure_models.ResourceMixin) if is_resource and getattr(instance, 'PERFORM_UNLINK', False): _resource_unlink(resource=instance) elif is_resource and not getattr(instance, 'PERFORM_UNLINK', False): _resource_deletion(resource=instance) elif isinstance(instance, structure_models.Customer): _customer_deletion(customer=instance) else: for price_estimate in models.PriceEstimate.objects.filter(scope=instance): price_estimate.init_details()
Run different actions on price estimate scope deletion. If scope is a customer - delete all customer estimates and their children. If scope is a deleted resource - redefine consumption details, recalculate ancestors estimates and update estimate details. If scope is a unlinked resource - delete all resource price estimates and update ancestors. In all other cases - update price estimate details.
entailment
def _resource_deletion(resource): """ Recalculate consumption details and save resource details """ if resource.__class__ not in CostTrackingRegister.registered_resources: return new_configuration = {} price_estimate = models.PriceEstimate.update_resource_estimate(resource, new_configuration) price_estimate.init_details()
Recalculate consumption details and save resource details
entailment
def resource_update(sender, instance, created=False, **kwargs): """ Update resource consumption details and price estimate if its configuration has changed. Create estimates for previous months if resource was created not in current month. """ resource = instance try: new_configuration = CostTrackingRegister.get_configuration(resource) except ResourceNotRegisteredError: return models.PriceEstimate.update_resource_estimate( resource, new_configuration, raise_exception=not _is_in_celery_task()) # Try to create historical price estimates if created: _create_historical_estimates(resource, new_configuration)
Update resource consumption details and price estimate if its configuration has changed. Create estimates for previous months if resource was created not in current month.
entailment
def resource_quota_update(sender, instance, **kwargs): """ Update resource consumption details and price estimate if its configuration has changed """ quota = instance resource = quota.scope try: new_configuration = CostTrackingRegister.get_configuration(resource) except ResourceNotRegisteredError: return models.PriceEstimate.update_resource_estimate( resource, new_configuration, raise_exception=not _is_in_celery_task())
Update resource consumption details and price estimate if its configuration has changed
entailment
def _create_historical_estimates(resource, configuration): """ Create consumption details and price estimates for past months. Usually we need to update historical values on resource import. """ today = timezone.now() month_start = core_utils.month_start(today) while month_start > resource.created: month_start -= relativedelta(months=1) models.PriceEstimate.create_historical(resource, configuration, max(month_start, resource.created))
Create consumption details and price estimates for past months. Usually we need to update historical values on resource import.
entailment