idx int64 0 63k | question stringlengths 61 4.03k | target stringlengths 6 1.23k |
|---|---|---|
43,300 | def update ( self , ** kwargs ) : tmos_version = self . _meta_data [ 'bigip' ] . tmos_version if LooseVersion ( tmos_version ) > LooseVersion ( '12.0.0' ) : msg = "Update() is unsupported for User on version %s. " "Utilize Modify() method instead" % tmos_version raise UnsupportedOperation ( msg ) else : self . _update ( ** kwargs ) | Due to a password decryption bug |
43,301 | def _process_config_with_kind ( self , raw_conf ) : kind = raw_conf [ u"kind" ] org_match = re . match ( self . OC_pattern , kind ) if org_match : return self . _format_org_collection ( org_match , kind , raw_conf ) elif 'collectionstate' in kind : return self . _format_collection ( kind , raw_conf ) elif kind . endswith ( 'stats' ) : return self . _format_stats ( kind , raw_conf ) elif kind . endswith ( 'state' ) : return self . _format_resource ( kind , raw_conf ) | Use this to decide which format is called for by the kind . |
43,302 | def _missing_required_parameters ( rqset , ** kwargs ) : key_set = set ( list ( iterkeys ( kwargs ) ) ) required_minus_received = rqset - key_set if required_minus_received != set ( ) : return list ( required_minus_received ) | Helper function to do operation on sets . |
43,303 | def _format_collection_name ( self ) : base_uri = self . _format_resource_name ( ) if base_uri [ - 2 : ] == '_s' : endind = 2 else : endind = 1 return base_uri [ : - endind ] | Formats a name from Collection format |
43,304 | def _check_command_parameters ( self , ** kwargs ) : rset = self . _meta_data [ 'required_command_parameters' ] check = _missing_required_parameters ( rset , ** kwargs ) if check : error_message = 'Missing required params: %s' % check raise MissingRequiredCommandParameter ( error_message ) | Params given to exec_cmd should satisfy required params . |
43,305 | def _handle_requests_params ( self , kwargs ) : requests_params = kwargs . pop ( 'requests_params' , { } ) for param in requests_params : if param in kwargs : error_message = 'Requests Parameter %r collides with a load' ' parameter of the same name.' % param raise RequestParamKwargCollision ( error_message ) if self . _meta_data [ 'icontrol_version' ] : params = requests_params . pop ( 'params' , { } ) params . update ( { 'ver' : self . _meta_data [ 'icontrol_version' ] } ) requests_params . update ( { 'params' : params } ) return requests_params | Validate parameters that will be passed to the requests verbs . |
43,306 | def _check_exclusive_parameters ( self , ** kwargs ) : if len ( self . _meta_data [ 'exclusive_attributes' ] ) > 0 : attr_set = set ( list ( iterkeys ( kwargs ) ) ) ex_set = set ( self . _meta_data [ 'exclusive_attributes' ] [ 0 ] ) common_set = sorted ( attr_set . intersection ( ex_set ) ) if len ( common_set ) > 1 : cset = ', ' . join ( common_set ) error = 'Mutually exclusive arguments submitted. ' 'The following arguments cannot be set ' 'together: "%s".' % cset raise ExclusiveAttributesPresent ( error ) | Check for mutually exclusive attributes in kwargs . |
43,307 | def _modify ( self , ** patch ) : requests_params , patch_uri , session , read_only = self . _prepare_put_or_patch ( patch ) self . _check_for_boolean_pair_reduction ( patch ) read_only_mutations = [ ] for attr in read_only : if attr in patch : read_only_mutations . append ( attr ) if read_only_mutations : msg = 'Attempted to mutate read-only attribute(s): %s' % read_only_mutations raise AttemptedMutationOfReadOnly ( msg ) patch = self . _prepare_request_json ( patch ) response = session . patch ( patch_uri , json = patch , ** requests_params ) self . _local_update ( response . json ( ) ) | Wrapped with modify override in a subclass to customize . |
43,308 | def _check_for_boolean_pair_reduction ( self , kwargs ) : if 'reduction_forcing_pairs' in self . _meta_data : for key1 , key2 in self . _meta_data [ 'reduction_forcing_pairs' ] : kwargs = self . _reduce_boolean_pair ( kwargs , key1 , key2 ) return kwargs | Check if boolean pairs should be reduced in this resource . |
43,309 | def _prepare_put_or_patch ( self , kwargs ) : requests_params = self . _handle_requests_params ( kwargs ) update_uri = self . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] read_only = self . _meta_data . get ( 'read_only_attributes' , [ ] ) return requests_params , update_uri , session , read_only | Retrieve the appropriate request items for put or patch calls . |
43,310 | def _prepare_request_json ( self , kwargs ) : kwargs = self . _check_for_python_keywords ( kwargs ) if 'check' in kwargs : od = OrderedDict ( ) od [ 'check' ] = kwargs [ 'check' ] kwargs . pop ( 'check' ) od . update ( kwargs ) return od return kwargs | Prepare request args for sending to device as JSON . |
43,311 | def _iter_list_for_dicts ( self , check_list ) : list_copy = copy . deepcopy ( check_list ) for index , elem in enumerate ( check_list ) : if isinstance ( elem , dict ) : list_copy [ index ] = self . _check_for_python_keywords ( elem ) elif isinstance ( elem , list ) : list_copy [ index ] = self . _iter_list_for_dicts ( elem ) else : list_copy [ index ] = elem return list_copy | Iterate over list to find dicts and check for python keywords . |
43,312 | def _check_for_python_keywords ( self , kwargs ) : kwargs_copy = copy . deepcopy ( kwargs ) for key , val in iteritems ( kwargs ) : if isinstance ( val , dict ) : kwargs_copy [ key ] = self . _check_for_python_keywords ( val ) elif isinstance ( val , list ) : kwargs_copy [ key ] = self . _iter_list_for_dicts ( val ) else : if key . endswith ( '_' ) : strip_key = key . rstrip ( '_' ) if keyword . iskeyword ( strip_key ) : kwargs_copy [ strip_key ] = val kwargs_copy . pop ( key ) return kwargs_copy | When Python keywords seen mutate to remove trailing underscore . |
43,313 | def _check_keys ( self , rdict ) : if '_meta_data' in rdict : error_message = "Response contains key '_meta_data' which is " "incompatible with this API!!\n Response json: %r" % rdict raise DeviceProvidesIncompatibleKey ( error_message ) for x in rdict : if not re . match ( tokenize . Name , x ) : error_message = "Device provided %r which is disallowed" " because it's not a valid Python 2.7 identifier." % x raise DeviceProvidesIncompatibleKey ( error_message ) elif keyword . iskeyword ( x ) : rdict [ x + '_' ] = rdict [ x ] rdict . pop ( x ) elif x . startswith ( '__' ) : error_message = "Device provided %r which is disallowed" ", it mangles into a Python non-public attribute." % x raise DeviceProvidesIncompatibleKey ( error_message ) return rdict | Call this from _local_update to validate response keys |
43,314 | def _local_update ( self , rdict ) : sanitized = self . _check_keys ( rdict ) temp_meta = self . _meta_data self . __dict__ = sanitized self . _meta_data = temp_meta | Call this with a response dictionary to update instance attrs . |
43,315 | def _update ( self , ** kwargs ) : requests_params , update_uri , session , read_only = self . _prepare_put_or_patch ( kwargs ) read_only_mutations = [ ] for attr in read_only : if attr in kwargs : read_only_mutations . append ( attr ) if read_only_mutations : msg = 'Attempted to mutate read-only attribute(s): %s' % read_only_mutations raise AttemptedMutationOfReadOnly ( msg ) force = self . _check_force_arg ( kwargs . pop ( 'force' , True ) ) if not force : self . _check_generation ( ) kwargs = self . _check_for_boolean_pair_reduction ( kwargs ) temp_meta = self . __dict__ . pop ( '_meta_data' ) tmp = dict ( ) for key , value in iteritems ( self . __dict__ ) : if isinstance ( value , Collection ) : pass else : tmp [ key ] = value self . __dict__ = tmp data_dict = self . to_dict ( ) for attr in read_only : data_dict . pop ( attr , '' ) data_dict . update ( kwargs ) data_dict = self . _prepare_request_json ( data_dict ) for _ in range ( 0 , 30 ) : try : response = session . put ( update_uri , json = data_dict , ** requests_params ) self . _meta_data = temp_meta self . _local_update ( response . json ( ) ) break except iControlUnexpectedHTTPError : response = session . get ( update_uri , ** requests_params ) self . _meta_data = temp_meta self . _local_update ( response . json ( ) ) raise except ConnectionError as ex : if 'Connection aborted' in str ( ex ) : time . sleep ( 1 ) continue else : raise | wrapped with update override that in a subclass to customize |
43,316 | def _refresh ( self , ** kwargs ) : requests_params = self . _handle_requests_params ( kwargs ) refresh_session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] if self . _meta_data [ 'uri' ] . endswith ( '/stats/' ) : uri = self . _meta_data [ 'uri' ] [ 0 : - 1 ] else : uri = self . _meta_data [ 'uri' ] response = refresh_session . get ( uri , ** requests_params ) self . _local_update ( response . json ( ) ) | wrapped by refresh override that in a subclass to customize |
43,317 | def _produce_instance ( self , response ) : new_instance = self . _stamp_out_core ( ) new_instance . _local_update ( response . json ( ) ) if hasattr ( new_instance , 'selfLink' ) : if new_instance . kind != new_instance . _meta_data [ 'required_json_kind' ] and new_instance . kind != "tm:transaction:commandsstate" and 'example' not in new_instance . selfLink . split ( '/' ) [ - 1 ] : error_message = "For instances of type '%r' the corresponding" " kind must be '%r' but creation returned JSON with kind: %r" % ( new_instance . __class__ . __name__ , new_instance . _meta_data [ 'required_json_kind' ] , new_instance . kind ) raise KindTypeMismatch ( error_message ) else : if new_instance . kind != new_instance . _meta_data [ 'required_json_kind' ] and new_instance . kind != "tm:transaction:commandsstate" : error_message = "For instances of type '%r' the corresponding" " kind must be '%r' but creation returned JSON with kind: %r" % ( new_instance . __class__ . __name__ , new_instance . _meta_data [ 'required_json_kind' ] , new_instance . kind ) raise KindTypeMismatch ( error_message ) new_instance . _activate_URI ( new_instance . selfLink ) return new_instance | Generate a new self which is an instance of the self . |
43,318 | def _reduce_boolean_pair ( self , config_dict , key1 , key2 ) : if key1 in config_dict and key2 in config_dict and config_dict [ key1 ] == config_dict [ key2 ] : msg = 'Boolean pair, %s and %s, have same value: %s. If both ' 'are given to this method, they cannot be the same, as this ' 'method cannot decide which one should be True.' % ( key1 , key2 , config_dict [ key1 ] ) raise BooleansToReduceHaveSameValue ( msg ) elif key1 in config_dict and not config_dict [ key1 ] : config_dict [ key2 ] = True config_dict . pop ( key1 ) elif key2 in config_dict and not config_dict [ key2 ] : config_dict [ key1 ] = True config_dict . pop ( key2 ) return config_dict | Ensure only one key with a boolean value is present in dict . |
43,319 | def get_collection ( self , ** kwargs ) : list_of_contents = [ ] self . refresh ( ** kwargs ) if 'items' in self . __dict__ : for item in self . items : if 'kind' not in item : list_of_contents . append ( item ) continue kind = item [ 'kind' ] if kind in self . _meta_data [ 'attribute_registry' ] : instance = self . _meta_data [ 'attribute_registry' ] [ kind ] ( self ) instance . _local_update ( item ) instance . _activate_URI ( instance . selfLink ) list_of_contents . append ( instance ) else : error_message = '%r is not registered!' % kind raise UnregisteredKind ( error_message ) return list_of_contents | Get an iterator of Python Resource objects that represent URIs . |
43,320 | def _delete_collection ( self , ** kwargs ) : error_message = "The request must include \"requests_params\": {\"params\": \"options=<glob pattern>\"} as kwarg" try : if kwargs [ 'requests_params' ] [ 'params' ] . split ( '=' ) [ 0 ] != 'options' : raise MissingRequiredRequestsParameter ( error_message ) except KeyError : raise requests_params = self . _handle_requests_params ( kwargs ) delete_uri = self . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] session . delete ( delete_uri , ** requests_params ) | wrapped with delete_collection override that in a sublcass to customize |
43,321 | def _activate_URI ( self , selfLinkuri ) : uri = urlparse . urlsplit ( str ( self . _meta_data [ 'bigip' ] . _meta_data [ 'uri' ] ) ) attribute_reg = self . _meta_data . get ( 'attribute_registry' , { } ) attrs = list ( itervalues ( attribute_reg ) ) attrs = self . _assign_stats ( attrs ) ( scheme , domain , path , qarg , frag ) = urlparse . urlsplit ( selfLinkuri ) path_uri = urlparse . urlunsplit ( ( scheme , uri . netloc , path , '' , '' ) ) if not path_uri . endswith ( '/' ) : path_uri = path_uri + '/' qargs = urlparse . parse_qs ( qarg ) self . _meta_data . update ( { 'uri' : path_uri , 'creation_uri_qargs' : qargs , 'creation_uri_frag' : frag , 'allowed_lazy_attributes' : attrs } ) | Call this with a selfLink after it s returned in _create or _load . |
43,322 | def _check_create_parameters ( self , ** kwargs ) : rset = self . _meta_data [ 'required_creation_parameters' ] check = _missing_required_parameters ( rset , ** kwargs ) if check : error_message = 'Missing required params: %s' % check raise MissingRequiredCreationParameter ( error_message ) | Params given to create should satisfy required params . |
43,323 | def _minimum_one_is_missing ( self , ** kwargs ) : rqset = self . _meta_data [ 'minimum_additional_parameters' ] if rqset : kwarg_set = set ( iterkeys ( kwargs ) ) if kwarg_set . isdisjoint ( rqset ) : args = sorted ( rqset ) error_message = 'This resource requires at least one of the ' 'mandatory additional ' 'parameters to be provided: %s' % ', ' . join ( args ) raise MissingRequiredCreationParameter ( error_message ) | Helper function to do operation on sets |
43,324 | def _check_load_parameters ( self , ** kwargs ) : rset = self . _meta_data [ 'required_load_parameters' ] check = _missing_required_parameters ( rset , ** kwargs ) if check : check . sort ( ) error_message = 'Missing required params: %s' % check raise MissingRequiredReadParameter ( error_message ) | Params given to load should at least satisfy required params . |
43,325 | def _load ( self , ** kwargs ) : if 'uri' in self . _meta_data : error = "There was an attempt to assign a new uri to this " "resource, the _meta_data['uri'] is %s and it should" " not be changed." % ( self . _meta_data [ 'uri' ] ) raise URICreationCollision ( error ) requests_params = self . _handle_requests_params ( kwargs ) self . _check_load_parameters ( ** kwargs ) kwargs [ 'uri_as_parts' ] = True refresh_session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] base_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] kwargs . update ( requests_params ) for key1 , key2 in self . _meta_data [ 'reduction_forcing_pairs' ] : kwargs = self . _reduce_boolean_pair ( kwargs , key1 , key2 ) kwargs = self . _check_for_python_keywords ( kwargs ) response = refresh_session . get ( base_uri , ** kwargs ) return self . _produce_instance ( response ) | wrapped with load override that in a subclass to customize |
43,326 | def _delete ( self , ** kwargs ) : requests_params = self . _handle_requests_params ( kwargs ) delete_uri = self . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] force = self . _check_force_arg ( kwargs . pop ( 'force' , True ) ) if not force : self . _check_generation ( ) response = session . delete ( delete_uri , ** requests_params ) if response . status_code == 200 : self . __dict__ = { 'deleted' : True } | wrapped with delete override that in a subclass to customize |
43,327 | def _delete ( self , ** kwargs ) : requests_params = self . _handle_requests_params ( kwargs ) delete_uri = self . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] response = session . delete ( delete_uri , ** requests_params ) if response . status_code == 200 or 201 : self . __dict__ = { 'deleted' : True } | Wrapped with delete override that in a subclass to customize |
43,328 | def exists ( self , ** kwargs ) : r requests_params = self . _handle_requests_params ( kwargs ) self . _check_load_parameters ( ** kwargs ) kwargs [ 'uri_as_parts' ] = True session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] endpoint = kwargs . pop ( 'id' , '' ) kwargs . pop ( 'name' , '' ) base_uri = uri + endpoint + '/' kwargs . update ( requests_params ) try : session . get ( base_uri , ** kwargs ) except HTTPError as err : if err . response . status_code == 404 : return False else : raise return True | r Check for the existence of the ASM object on the BIG - IP |
43,329 | def _fetch ( self ) : if 'uri' in self . _meta_data : error = "There was an attempt to assign a new uri to this " "resource, the _meta_data['uri'] is %s and it should" " not be changed." % ( self . _meta_data [ 'uri' ] ) raise URICreationCollision ( error ) _create_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] response = session . post ( _create_uri , json = { } ) return self . _produce_instance ( response ) | wrapped by fetch override that in subclasses to customize |
43,330 | def _check_device_number ( self , devices ) : if len ( devices ) < 2 or len ( devices ) > 4 : msg = 'The number of devices to cluster is not supported.' raise ClusterNotSupported ( msg ) | Check if number of devices is between 2 and 4 |
43,331 | def manage_extant ( self , ** kwargs ) : self . _check_device_number ( kwargs [ 'devices' ] ) self . trust_domain = TrustDomain ( devices = kwargs [ 'devices' ] , partition = kwargs [ 'device_group_partition' ] ) self . device_group = DeviceGroup ( ** kwargs ) self . cluster = Cluster ( ** kwargs ) | Manage an existing cluster |
43,332 | def _filter_version_specific_options ( self , tmos_ver , ** kwargs ) : if LooseVersion ( tmos_ver ) < LooseVersion ( '12.1.0' ) : for k , parms in self . _meta_data [ 'optional_parameters' ] . items ( ) : for r in kwargs . get ( k , [ ] ) : for parm in parms : value = r . pop ( parm , None ) if value is not None : logger . info ( "Policy parameter %s:%s is invalid for v%s" , k , parm , tmos_ver ) | Filter version - specific optional parameters |
43,333 | def _create ( self , ** kwargs ) : tmos_ver = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] legacy = kwargs . pop ( 'legacy' , False ) publish = kwargs . pop ( 'publish' , False ) self . _filter_version_specific_options ( tmos_ver , ** kwargs ) if LooseVersion ( tmos_ver ) < LooseVersion ( '12.1.0' ) : return super ( Policy , self ) . _create ( ** kwargs ) else : if legacy : return super ( Policy , self ) . _create ( legacy = True , ** kwargs ) else : if 'subPath' not in kwargs : msg = "The keyword 'subPath' must be specified when " "creating draft policy in TMOS versions >= 12.1.0. " "Try and specify subPath as 'Drafts'." raise MissingRequiredCreationParameter ( msg ) self = super ( Policy , self ) . _create ( ** kwargs ) if publish : self . publish ( ) return self | Allow creation of draft policy and ability to publish a draft |
43,334 | def _modify ( self , ** patch ) : legacy = patch . pop ( 'legacy' , False ) tmos_ver = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] self . _filter_version_specific_options ( tmos_ver , ** patch ) if 'Drafts' not in self . _meta_data [ 'uri' ] and LooseVersion ( tmos_ver ) >= LooseVersion ( '12.1.0' ) and not legacy : msg = 'Modify operation not allowed on a published policy.' raise OperationNotSupportedOnPublishedPolicy ( msg ) super ( Policy , self ) . _modify ( ** patch ) | Modify only draft or legacy policies |
43,335 | def _update ( self , ** kwargs ) : legacy = kwargs . pop ( 'legacy' , False ) tmos_ver = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] self . _filter_version_specific_options ( tmos_ver , ** kwargs ) if 'Drafts' not in self . _meta_data [ 'uri' ] and LooseVersion ( tmos_ver ) >= LooseVersion ( '12.1.0' ) and not legacy : msg = 'Update operation not allowed on a published policy.' raise OperationNotSupportedOnPublishedPolicy ( msg ) super ( Policy , self ) . _update ( ** kwargs ) | Update only draft or legacy policies |
43,336 | def publish ( self , ** kwargs ) : assert 'Drafts' in self . _meta_data [ 'uri' ] assert self . status . lower ( ) == 'draft' base_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] requests_params = self . _handle_requests_params ( kwargs ) session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] if 'command' not in kwargs : kwargs [ 'command' ] = 'publish' if 'Drafts' not in self . name : kwargs [ 'name' ] = self . fullPath session . post ( base_uri , json = kwargs , ** requests_params ) get_kwargs = { 'name' : self . name , 'partition' : self . partition , 'uri_as_parts' : True } response = session . get ( base_uri , ** get_kwargs ) json_data = response . json ( ) self . _local_update ( json_data ) self . _activate_URI ( json_data [ 'selfLink' ] ) | Publishing a draft policy is only applicable in TMOS 12 . 1 and up . |
43,337 | def draft ( self , ** kwargs ) : tmos_ver = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] legacy = kwargs . pop ( 'legacy' , False ) if LooseVersion ( tmos_ver ) < LooseVersion ( '12.1.0' ) or legacy : raise DraftPolicyNotSupportedInTMOSVersion ( "Drafting on this version of BIG-IP is not supported" ) kwargs = dict ( createDraft = True ) super ( Policy , self ) . _modify ( ** kwargs ) get_kwargs = { 'name' : self . name , 'partition' : self . partition , 'uri_as_parts' : True , 'subPath' : 'Drafts' } base_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] response = session . get ( base_uri , ** get_kwargs ) json_data = response . json ( ) self . _local_update ( json_data ) self . _activate_URI ( json_data [ 'selfLink' ] ) | Allows for easily re - drafting a policy |
43,338 | def delete ( self , ** kwargs ) : if 'uuid' not in kwargs : kwargs [ 'uuid' ] = str ( self . uuid ) requests_params = self . _handle_requests_params ( kwargs ) kwargs = self . _check_for_python_keywords ( kwargs ) kwargs = self . _prepare_request_json ( kwargs ) delete_uri = self . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] force = self . _check_force_arg ( kwargs . pop ( 'force' , True ) ) if not force : self . _check_generation ( ) response = session . delete ( delete_uri , json = kwargs , ** requests_params ) if response . status_code == 200 : self . __dict__ = { 'deleted' : True } | Deletes a member from an unmanaged license pool |
43,339 | def exec_cmd ( self , command , ** kwargs ) : kwargs = self . _reduce_boolean_pair ( kwargs , 'online' , 'offline' ) if 'offline' in kwargs : self . _meta_data [ 'exclusive_attributes' ] . append ( ( 'offline' , 'standby' ) ) if 'online' in kwargs : self . _meta_data [ 'exclusive_attributes' ] . append ( ( 'online' , 'standby' ) ) self . _is_allowed_command ( command ) self . _check_command_parameters ( ** kwargs ) return self . _exec_cmd ( command , ** kwargs ) | Defining custom method to append exclusive_attributes . |
43,340 | def toggle_standby ( self , ** kwargs ) : trafficgroup = kwargs . pop ( 'trafficgroup' ) state = kwargs . pop ( 'state' ) if kwargs : raise TypeError ( 'Unexpected **kwargs: %r' % kwargs ) arguments = { 'standby' : state , 'traffic-group' : trafficgroup } return self . exec_cmd ( 'run' , ** arguments ) | Toggle the standby status of a traffic group . |
43,341 | def update ( self , ** kwargs ) : if 'useProxyServer' in kwargs and kwargs [ 'useProxyServer' ] == 'enabled' : if 'proxyServerPool' not in kwargs : error = 'Missing proxyServerPool parameter value.' raise MissingUpdateParameter ( error ) if hasattr ( self , 'useProxyServer' ) : if getattr ( self , 'useProxyServer' ) == 'enabled' and 'proxyServerPool' not in self . __dict__ : error = 'Missing proxyServerPool parameter value.' raise MissingUpdateParameter ( error ) self . _update ( ** kwargs ) return self | When setting useProxyServer to enable we need to supply |
43,342 | def _check_tagmode_and_tmos_version ( self , ** kwargs ) : tmos_version = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] if LooseVersion ( tmos_version ) < LooseVersion ( '11.6.0' ) : msg = "The parameter, 'tagMode', is not allowed against the " "following version of TMOS: %s" % ( tmos_version ) if 'tagMode' in kwargs or hasattr ( self , 'tagMode' ) : raise TagModeDisallowedForTMOSVersion ( msg ) | Raise an exception if tagMode in kwargs and tmos version < 11 . 6 . 0 |
43,343 | def load ( self , ** kwargs ) : tmos_v = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] if self . _check_existence_by_collection ( self . _meta_data [ 'container' ] , kwargs [ 'name' ] ) : if LooseVersion ( tmos_v ) == LooseVersion ( '11.5.4' ) : return self . _load_11_5_4 ( ** kwargs ) else : return self . _load ( ** kwargs ) msg = 'The Policy named, {}, does not exist on the device.' . format ( kwargs [ 'name' ] ) raise NonExtantVirtualPolicy ( msg ) | Override load to retrieve object based on exists above . |
43,344 | def _load_11_5_4 ( self , ** kwargs ) : if 'uri' in self . _meta_data : error = "There was an attempt to assign a new uri to this " "resource, the _meta_data['uri'] is %s and it should" " not be changed." % ( self . _meta_data [ 'uri' ] ) raise URICreationCollision ( error ) requests_params = self . _handle_requests_params ( kwargs ) self . _check_load_parameters ( ** kwargs ) kwargs [ 'uri_as_parts' ] = True refresh_session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] base_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] kwargs . update ( requests_params ) for key1 , key2 in self . _meta_data [ 'reduction_forcing_pairs' ] : kwargs = self . _reduce_boolean_pair ( kwargs , key1 , key2 ) kwargs = self . _check_for_python_keywords ( kwargs ) try : response = refresh_session . get ( base_uri , ** kwargs ) except HTTPError as err : if err . response . status_code != 404 : raise if err . response . status_code == 404 : return self . _return_object ( self . _meta_data [ 'container' ] , kwargs [ 'name' ] ) return self . _produce_instance ( response ) | Custom _load method to accommodate for issue in 11 . 5 . 4 |
43,345 | def create ( self , ** kwargs ) : tmos_v = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] if LooseVersion ( tmos_v ) == LooseVersion ( '11.5.4' ) or LooseVersion ( tmos_v ) == LooseVersion ( '12.1.1' ) : if 'uri' in self . _meta_data : error = "There was an attempt to assign a new uri to this " "resource, the _meta_data['uri'] is %s and it should" " not be changed." % ( self . _meta_data [ 'uri' ] ) raise URICreationCollision ( error ) self . _check_exclusive_parameters ( ** kwargs ) requests_params = self . _handle_requests_params ( kwargs ) self . _check_create_parameters ( ** kwargs ) for key1 , key2 in self . _meta_data [ 'reduction_forcing_pairs' ] : kwargs = self . _reduce_boolean_pair ( kwargs , key1 , key2 ) _create_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] try : response = session . post ( _create_uri , json = kwargs , ** requests_params ) except HTTPError as err : if err . response . status_code != 404 : raise if err . response . status_code == 404 : return self . _return_object ( self . _meta_data [ 'container' ] , kwargs [ 'name' ] ) return self . _produce_instance ( response ) else : return self . _create ( ** kwargs ) | Custom _create method to accommodate for issue 11 . 5 . 4 and 12 . 1 . 1 |
43,346 | def get_collection ( self , ** kwargs ) : list_of_contents = [ ] self . refresh ( ** kwargs ) if 'items' in self . __dict__ : for item in self . items : if 'kind' not in item : list_of_contents . append ( item ) continue kind = item [ 'kind' ] if kind in self . _meta_data [ 'attribute_registry' ] : instance = self . _meta_data [ 'attribute_registry' ] [ kind ] ( self ) instance . _local_update ( item ) instance . _activate_URI ( instance . selfLink ) list_of_contents . append ( instance ) else : error_message = '%r is not registered!' % kind raise UnregisteredKind ( error_message ) if 'policiesReference' in self . __dict__ and 'items' not in self . __dict__ : for item in self . policiesReference [ 'items' ] : kind = item [ 'kind' ] if kind in self . _meta_data [ 'attribute_registry' ] : instance = self . _meta_data [ 'attribute_registry' ] [ kind ] ( self ) instance . _local_update ( item ) instance . _activate_URI ( instance . selfLink ) list_of_contents . append ( instance ) else : error_message = '%r is not registered!' % kind raise UnregisteredKind ( error_message ) return list_of_contents | We need special get collection method to address issue in 11 . 5 . 4 |
43,347 | def get_device_names_to_objects ( devices ) : name_to_object = { } for device in devices : device_name = get_device_info ( device ) . name name_to_object [ device_name ] = device return name_to_object | Map a list of devices to their hostnames . |
43,348 | def create ( self , ** kwargs ) : if LooseVersion ( self . tmos_v ) < LooseVersion ( '12.0.0' ) : return self . _create ( ** kwargs ) else : new_instance = self . _create ( ** kwargs ) tmp_name = str ( new_instance . id ) tmp_path = new_instance . _meta_data [ 'container' ] . _meta_data [ 'uri' ] finalurl = tmp_path + tmp_name new_instance . _meta_data [ 'uri' ] = finalurl return new_instance | Custom create method for v12 . x and above . |
43,349 | def _format_monitor_parameter ( param ) : if '{' in param and '}' : tmp = param . strip ( '}' ) . split ( '{' ) monitor = '' . join ( tmp ) . rstrip ( ) return monitor else : return param | This is a workaround for a known issue ID645289 which affects |
43,350 | def create ( self , ** kwargs ) : if 'monitor' in kwargs : value = self . _format_monitor_parameter ( kwargs [ 'monitor' ] ) kwargs [ 'monitor' ] = value return super ( Pool , self ) . _create ( ** kwargs ) | Custom create method to implement monitor parameter formatting . |
43,351 | def update ( self , ** kwargs ) : if 'monitor' in kwargs : value = self . _format_monitor_parameter ( kwargs [ 'monitor' ] ) kwargs [ 'monitor' ] = value elif 'monitor' in self . __dict__ : value = self . _format_monitor_parameter ( self . __dict__ [ 'monitor' ] ) self . __dict__ [ 'monitor' ] = value return super ( Pool , self ) . _update ( ** kwargs ) | Custom update method to implement monitor parameter formatting . |
43,352 | def modify ( self , ** patch ) : if 'monitor' in patch : value = self . _format_monitor_parameter ( patch [ 'monitor' ] ) patch [ 'monitor' ] = value return super ( Pool , self ) . _modify ( ** patch ) | Custom modify method to implement monitor parameter formatting . |
43,353 | def exists ( self , ** kwargs ) : requests_params = self . _handle_requests_params ( kwargs ) self . _check_load_parameters ( ** kwargs ) kwargs [ 'uri_as_parts' ] = True session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] base_uri = self . _meta_data [ 'container' ] . _meta_data [ 'uri' ] kwargs . update ( requests_params ) try : response = session . get ( base_uri , ** kwargs ) except HTTPError as err : if err . response . status_code == 404 : return False else : raise rdict = response . json ( ) if "address" not in rdict : return False return True | Check for the existence of the named object on the BigIP |
43,354 | def exec_cmd ( self , command , ** kwargs ) : self . _is_allowed_command ( command ) self . _check_command_parameters ( ** kwargs ) if command == 'load' : kwargs [ 'command' ] = command self . _check_exclusive_parameters ( ** kwargs ) requests_params = self . _handle_requests_params ( kwargs ) session = self . _meta_data [ 'bigip' ] . _meta_data [ 'icr_session' ] try : session . post ( self . _meta_data [ 'uri' ] , json = kwargs , ** requests_params ) except HTTPError as err : if err . response . status_code != 502 : raise return else : return self . _exec_cmd ( command , ** kwargs ) | Due to ID476518 the load command need special treatment . |
43,355 | def load ( self , ** kwargs ) : self . _is_version_supported_method ( '12.1.0' ) newinst = self . _stamp_out_core ( ) newinst . _refresh ( ** kwargs ) return newinst | Method to list the UCS on the system |
43,356 | def _set_attributes ( self , ** kwargs ) : try : self . devices = kwargs [ 'devices' ] [ : ] self . name = kwargs [ 'device_group_name' ] self . type = kwargs [ 'device_group_type' ] self . partition = kwargs [ 'device_group_partition' ] except KeyError as ex : raise MissingRequiredDeviceGroupParameter ( ex ) | Set instance attributes based on kwargs |
43,357 | def validate ( self , ** kwargs ) : self . _set_attributes ( ** kwargs ) self . _check_type ( ) self . dev_group_uri_res = self . _get_device_group ( self . devices [ 0 ] ) if self . dev_group_uri_res . type != self . type : msg = 'Device group type found: %r does not match expected ' 'device group type: %r' % ( self . dev_group_uri_res . type , self . type ) raise UnexpectedDeviceGroupType ( msg ) queried_device_names = self . _get_device_names_in_group ( ) given_device_names = [ ] for device in self . devices : device_name = get_device_info ( device ) . name given_device_names . append ( device_name ) if sorted ( queried_device_names ) != sorted ( given_device_names ) : msg = 'Given devices does not match queried devices.' raise UnexpectedDeviceGroupDevices ( msg ) self . ensure_all_devices_in_sync ( ) | Validate device group state among given devices . |
43,358 | def _check_type ( self ) : if self . type not in self . available_types : msg = 'Unsupported cluster type was given: %s' % self . type raise DeviceGroupNotSupported ( msg ) elif self . type == 'sync-only' and self . name != 'device_trust_group' : msg = "Management of sync-only device groups only supported for " "built-in device group named 'device_trust_group'" raise DeviceGroupNotSupported ( msg ) | Check that the device group type is correct . |
43,359 | def create ( self , ** kwargs ) : self . _set_attributes ( ** kwargs ) self . _check_type ( ) pollster ( self . _check_all_devices_in_sync ) ( ) dg = self . devices [ 0 ] . tm . cm . device_groups . device_group dg . create ( name = self . name , partition = self . partition , type = self . type ) for device in self . devices : self . _add_device_to_device_group ( device ) device . tm . sys . config . exec_cmd ( 'save' ) self . ensure_all_devices_in_sync ( ) | Create the device service cluster group and add devices to it . |
43,360 | def teardown ( self ) : self . ensure_all_devices_in_sync ( ) for device in self . devices : self . _delete_device_from_device_group ( device ) self . _sync_to_group ( device ) pollster ( self . _ensure_device_active ) ( device ) self . ensure_all_devices_in_sync ( ) dg = pollster ( self . _get_device_group ) ( self . devices [ 0 ] ) dg . delete ( ) pollster ( self . _check_devices_active_licensed ) ( ) pollster ( self . _check_all_devices_in_sync ) ( ) | Teardown device service cluster group . |
43,361 | def _get_device_group ( self , device ) : return device . tm . cm . device_groups . device_group . load ( name = self . name , partition = self . partition ) | Get the device group through a device . |
43,362 | def _add_device_to_device_group ( self , device ) : device_name = get_device_info ( device ) . name dg = pollster ( self . _get_device_group ) ( device ) dg . devices_s . devices . create ( name = device_name , partition = self . partition ) pollster ( self . _check_device_exists_in_device_group ) ( device_name ) | Add device to device service cluster group . |
43,363 | def _check_device_exists_in_device_group ( self , device_name ) : dg = self . _get_device_group ( self . devices [ 0 ] ) dg . devices_s . devices . load ( name = device_name , partition = self . partition ) | Check whether a device exists in the device group |
43,364 | def _delete_device_from_device_group ( self , device ) : device_name = get_device_info ( device ) . name dg = pollster ( self . _get_device_group ) ( device ) device_to_remove = dg . devices_s . devices . load ( name = device_name , partition = self . partition ) device_to_remove . delete ( ) | Remove device from device service cluster group . |
43,365 | def _ensure_device_active ( self , device ) : act = device . tm . cm . devices . device . load ( name = get_device_info ( device ) . name , partition = self . partition ) if act . failoverState != 'active' : msg = "A device in the cluster was not in the 'Active' state." raise UnexpectedDeviceGroupState ( msg ) | Ensure a single device is in an active state |
43,366 | def _sync_to_group ( self , device ) : config_sync_cmd = 'config-sync to-group %s' % self . name device . tm . cm . exec_cmd ( 'run' , utilCmdArgs = config_sync_cmd ) | Sync the device to the cluster group |
43,367 | def _check_all_devices_in_sync ( self ) : if len ( self . _get_devices_by_failover_status ( 'In Sync' ) ) != len ( self . devices ) : msg = "Expected all devices in group to have 'In Sync' status." raise UnexpectedDeviceGroupState ( msg ) | Wait until all devices have failover status of In Sync . |
43,368 | def _get_devices_by_failover_status ( self , status ) : devices_with_status = [ ] for device in self . devices : if ( self . _check_device_failover_status ( device , status ) ) : devices_with_status . append ( device ) return devices_with_status | Get a list of bigips by failover status . |
43,369 | def _check_device_failover_status ( self , device , status ) : sync_status = device . tm . cm . sync_status sync_status . refresh ( ) current_status = ( sync_status . entries [ self . sync_status_entry ] [ 'nestedStats' ] [ 'entries' ] [ 'status' ] [ 'description' ] ) if status == current_status : return True return False | Determine if a device has a specific failover status . |
43,370 | def _get_devices_by_activation_state ( self , state ) : devices_with_state = [ ] for device in self . devices : act = device . tm . cm . devices . device . load ( name = get_device_info ( device ) . name , partition = self . partition ) if act . failoverState == state : devices_with_state . append ( device ) return devices_with_state | Get a list of bigips by activation statue . |
43,371 | def _set_attr_reg ( self ) : tmos_v = self . _meta_data [ 'bigip' ] . _meta_data [ 'tmos_version' ] attributes = self . _meta_data [ 'attribute_registry' ] v12kind = 'tm:asm:policies:blocking-settings:blocking-settingcollectionstate' v11kind = 'tm:asm:policies:blocking-settings' builderv11 = 'tm:asm:policies:policy-builder:pbconfigstate' builderv12 = 'tm:asm:policies:policy-builder:policy-builderstate' if LooseVersion ( tmos_v ) < LooseVersion ( '12.0.0' ) : attributes [ v11kind ] = Blocking_Settings attributes [ builderv11 ] = Policy_Builder else : attributes [ v12kind ] = Blocking_Settings attributes [ builderv12 ] = Policy_Builder | Helper method . |
43,372 | def create ( self , ** kwargs ) : for x in range ( 0 , 30 ) : try : return self . _create ( ** kwargs ) except iControlUnexpectedHTTPError as ex : if self . _check_exception ( ex ) : continue else : raise | Custom creation logic to handle edge cases |
43,373 | def delete ( self , ** kwargs ) : for x in range ( 0 , 30 ) : try : return self . _delete ( ** kwargs ) except iControlUnexpectedHTTPError as ex : if self . _check_exception ( ex ) : continue else : raise | Custom deletion logic to handle edge cases |
43,374 | def reset ( self ) : Y , D , X = self . old_data [ 'Y' ] , self . old_data [ 'D' ] , self . old_data [ 'X' ] self . raw_data = Data ( Y , D , X ) self . summary_stats = Summary ( self . raw_data ) self . propensity = None self . cutoff = None self . blocks = None self . strata = None self . estimates = Estimators ( ) | Reinitializes data to original inputs and drops any estimated results . |
43,375 | def est_propensity ( self , lin = 'all' , qua = None ) : lin_terms = parse_lin_terms ( self . raw_data [ 'K' ] , lin ) qua_terms = parse_qua_terms ( self . raw_data [ 'K' ] , qua ) self . propensity = Propensity ( self . raw_data , lin_terms , qua_terms ) self . raw_data . _dict [ 'pscore' ] = self . propensity [ 'fitted' ] self . _post_pscore_init ( ) | Estimates the propensity scores given list of covariates to include linearly or quadratically . |
43,376 | def trim ( self ) : if 0 < self . cutoff <= 0.5 : pscore = self . raw_data [ 'pscore' ] keep = ( pscore >= self . cutoff ) & ( pscore <= 1 - self . cutoff ) Y_trimmed = self . raw_data [ 'Y' ] [ keep ] D_trimmed = self . raw_data [ 'D' ] [ keep ] X_trimmed = self . raw_data [ 'X' ] [ keep ] self . raw_data = Data ( Y_trimmed , D_trimmed , X_trimmed ) self . raw_data . _dict [ 'pscore' ] = pscore [ keep ] self . summary_stats = Summary ( self . raw_data ) self . strata = None self . estimates = Estimators ( ) elif self . cutoff == 0 : pass else : raise ValueError ( 'Invalid cutoff.' ) | Trims data based on propensity score to create a subsample with better covariate balance . The default cutoff value is set to 0 . 1 . To set a custom cutoff value modify the object attribute named cutoff directly . |
43,377 | def stratify ( self ) : Y , D , X = self . raw_data [ 'Y' ] , self . raw_data [ 'D' ] , self . raw_data [ 'X' ] pscore = self . raw_data [ 'pscore' ] if isinstance ( self . blocks , int ) : blocks = split_equal_bins ( pscore , self . blocks ) else : blocks = self . blocks [ : ] blocks [ 0 ] = 0 def subset ( p_low , p_high ) : return ( p_low < pscore ) & ( pscore <= p_high ) subsets = [ subset ( * ps ) for ps in zip ( blocks , blocks [ 1 : ] ) ] strata = [ CausalModel ( Y [ s ] , D [ s ] , X [ s ] ) for s in subsets ] self . strata = Strata ( strata , subsets , pscore ) | Stratifies the sample based on propensity score . By default the sample is divided into five equal - sized bins . The number of bins can be set by modifying the object attribute named blocks . Alternatively custom - sized bins can be created by setting blocks equal to a sorted list of numbers between 0 and 1 indicating the bin boundaries . |
43,378 | def est_via_matching ( self , weights = 'inv' , matches = 1 , bias_adj = False ) : X , K = self . raw_data [ 'X' ] , self . raw_data [ 'K' ] X_c , X_t = self . raw_data [ 'X_c' ] , self . raw_data [ 'X_t' ] if weights == 'inv' : W = 1 / X . var ( 0 ) elif weights == 'maha' : V_c = np . cov ( X_c , rowvar = False , ddof = 0 ) V_t = np . cov ( X_t , rowvar = False , ddof = 0 ) if K == 1 : W = 1 / np . array ( [ [ ( V_c + V_t ) / 2 ] ] ) else : W = np . linalg . inv ( ( V_c + V_t ) / 2 ) else : W = weights self . estimates [ 'matching' ] = Matching ( self . raw_data , W , matches , bias_adj ) | Estimates average treatment effects using nearest - neighborhood matching . |
43,379 | def random_data ( N = 5000 , K = 3 , unobservables = False , ** kwargs ) : mu = kwargs . get ( 'mu' , np . zeros ( K ) ) beta = kwargs . get ( 'beta' , np . ones ( K ) ) theta = kwargs . get ( 'theta' , np . ones ( K ) ) delta = kwargs . get ( 'delta' , 3 ) Sigma = kwargs . get ( 'Sigma' , np . identity ( K ) ) Gamma = kwargs . get ( 'Gamma' , np . identity ( 2 ) ) X = np . random . multivariate_normal ( mean = mu , cov = Sigma , size = N ) Xbeta = X . dot ( beta ) pscore = logistic . cdf ( Xbeta ) D = np . array ( [ np . random . binomial ( 1 , p , size = 1 ) for p in pscore ] ) . flatten ( ) epsilon = np . random . multivariate_normal ( mean = np . zeros ( 2 ) , cov = Gamma , size = N ) Y0 = Xbeta + epsilon [ : , 0 ] Y1 = delta + X . dot ( beta + theta ) + epsilon [ : , 1 ] Y = ( 1 - D ) * Y0 + D * Y1 if unobservables : return Y , D , X , Y0 , Y1 , pscore else : return Y , D , X | Function that generates data according to one of two simple models that satisfies the unconfoundedness assumption . |
43,380 | def _summarize_pscore ( self , pscore_c , pscore_t ) : self . _dict [ 'p_min' ] = min ( pscore_c . min ( ) , pscore_t . min ( ) ) self . _dict [ 'p_max' ] = max ( pscore_c . max ( ) , pscore_t . max ( ) ) self . _dict [ 'p_c_mean' ] = pscore_c . mean ( ) self . _dict [ 'p_t_mean' ] = pscore_t . mean ( ) | Called by Strata class during initialization . |
43,381 | def lookup_bulk ( self , ResponseGroup = "Large" , ** kwargs ) : response = self . api . ItemLookup ( ResponseGroup = ResponseGroup , ** kwargs ) root = objectify . fromstring ( response ) if not hasattr ( root . Items , 'Item' ) : return [ ] return list ( AmazonProduct ( item , self . aws_associate_tag , self , region = self . region ) for item in root . Items . Item ) | Lookup Amazon Products in bulk . |
43,382 | def similarity_lookup ( self , ResponseGroup = "Large" , ** kwargs ) : response = self . api . SimilarityLookup ( ResponseGroup = ResponseGroup , ** kwargs ) root = objectify . fromstring ( response ) if root . Items . Request . IsValid == 'False' : code = root . Items . Request . Errors . Error . Code msg = root . Items . Request . Errors . Error . Message raise SimilartyLookupException ( "Amazon Similarty Lookup Error: '{0}', '{1}'" . format ( code , msg ) ) return [ AmazonProduct ( item , self . aws_associate_tag , self . api , region = self . region ) for item in getattr ( root . Items , 'Item' , [ ] ) ] | Similarty Lookup . |
43,383 | def browse_node_lookup ( self , ResponseGroup = "BrowseNodeInfo" , ** kwargs ) : response = self . api . BrowseNodeLookup ( ResponseGroup = ResponseGroup , ** kwargs ) root = objectify . fromstring ( response ) if root . BrowseNodes . Request . IsValid == 'False' : code = root . BrowseNodes . Request . Errors . Error . Code msg = root . BrowseNodes . Request . Errors . Error . Message raise BrowseNodeLookupException ( "Amazon BrowseNode Lookup Error: '{0}', '{1}'" . format ( code , msg ) ) return [ AmazonBrowseNode ( node . BrowseNode ) for node in root . BrowseNodes ] | Browse Node Lookup . |
43,384 | def search_n ( self , n , ** kwargs ) : region = kwargs . get ( 'region' , self . region ) kwargs . update ( { 'region' : region } ) items = AmazonSearch ( self . api , self . aws_associate_tag , ** kwargs ) return list ( islice ( items , n ) ) | Search and return first N results .. |
43,385 | def _safe_get_element_date ( self , path , root = None ) : value = self . _safe_get_element_text ( path = path , root = root ) if value is not None : try : value = dateutil . parser . parse ( value ) if value : value = value . date ( ) except ValueError : value = None return value | Safe get elemnent date . |
43,386 | def iterate_pages ( self ) : try : while not self . is_last_page : self . current_page += 1 yield self . _query ( ItemPage = self . current_page , ** self . kwargs ) except NoMorePages : pass | Iterate Pages . |
43,387 | def ancestor ( self ) : ancestors = getattr ( self . parsed_response , 'Ancestors' , None ) if hasattr ( ancestors , 'BrowseNode' ) : return AmazonBrowseNode ( ancestors [ 'BrowseNode' ] ) return None | This browse node s immediate ancestor in the browse node tree . |
43,388 | def ancestors ( self ) : ancestors = [ ] node = self . ancestor while node is not None : ancestors . append ( node ) node = node . ancestor return ancestors | A list of this browse node s ancestors in the browse node tree . |
43,389 | def children ( self ) : children = [ ] child_nodes = getattr ( self . parsed_response , 'Children' ) for child in getattr ( child_nodes , 'BrowseNode' , [ ] ) : children . append ( AmazonBrowseNode ( child ) ) return children | This browse node s children in the browse node tree . |
43,390 | def price_and_currency ( self ) : price = self . _safe_get_element_text ( 'Offers.Offer.OfferListing.SalePrice.Amount' ) if price : currency = self . _safe_get_element_text ( 'Offers.Offer.OfferListing.SalePrice.CurrencyCode' ) else : price = self . _safe_get_element_text ( 'Offers.Offer.OfferListing.Price.Amount' ) if price : currency = self . _safe_get_element_text ( 'Offers.Offer.OfferListing.Price.CurrencyCode' ) else : price = self . _safe_get_element_text ( 'OfferSummary.LowestNewPrice.Amount' ) currency = self . _safe_get_element_text ( 'OfferSummary.LowestNewPrice.CurrencyCode' ) if price : dprice = Decimal ( price ) / 100 if 'JP' not in self . region else Decimal ( price ) return dprice , currency else : return None , None | Get Offer Price and Currency . |
43,391 | def reviews ( self ) : iframe = self . _safe_get_element_text ( 'CustomerReviews.IFrameURL' ) has_reviews = self . _safe_get_element_text ( 'CustomerReviews.HasReviews' ) if has_reviews is not None and has_reviews == 'true' : has_reviews = True else : has_reviews = False return has_reviews , iframe | Customer Reviews . |
43,392 | def editorial_reviews ( self ) : result = [ ] reviews_node = self . _safe_get_element ( 'EditorialReviews' ) if reviews_node is not None : for review_node in reviews_node . iterchildren ( ) : content_node = getattr ( review_node , 'Content' ) if content_node is not None : result . append ( content_node . text ) return result | Editorial Review . |
43,393 | def list_price ( self ) : price = self . _safe_get_element_text ( 'ItemAttributes.ListPrice.Amount' ) currency = self . _safe_get_element_text ( 'ItemAttributes.ListPrice.CurrencyCode' ) if price : dprice = Decimal ( price ) / 100 if 'JP' not in self . region else Decimal ( price ) return dprice , currency else : return None , None | List Price . |
43,394 | def get_parent ( self ) : if not self . parent : parent = self . _safe_get_element ( 'ParentASIN' ) if parent : self . parent = self . api . lookup ( ItemId = parent ) return self . parent | Get Parent . |
43,395 | def browse_nodes ( self ) : root = self . _safe_get_element ( 'BrowseNodes' ) if root is None : return [ ] return [ AmazonBrowseNode ( child ) for child in root . iterchildren ( ) ] | Browse Nodes . |
43,396 | def images ( self ) : try : images = [ image for image in self . _safe_get_element ( 'ImageSets.ImageSet' ) ] except TypeError : images = [ ] return images | List of images for a response . When using lookup with RespnoseGroup Images you ll get a list of images . Parse them so they are returned in an easily used list format . |
43,397 | def actors ( self ) : result = [ ] actors = self . _safe_get_element ( 'ItemAttributes.Actor' ) or [ ] for actor in actors : result . append ( actor . text ) return result | Movie Actors . |
43,398 | def directors ( self ) : result = [ ] directors = self . _safe_get_element ( 'ItemAttributes.Director' ) or [ ] for director in directors : result . append ( director . text ) return result | Movie Directors . |
43,399 | def getMibSymbol ( self ) : if self . _state & self . ST_CLEAN : return self . _modName , self . _symName , self . _indices else : raise SmiError ( '%s object not fully initialized' % self . __class__ . __name__ ) | Returns MIB variable symbolic identification . |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.