idx
int64
0
63k
question
stringlengths
53
5.28k
target
stringlengths
5
805
57,800
def get_server_info ( self , format = None ) : parameters = { } if format is not None : parameters [ 'format' ] = format url = self . create_request_url ( self . interface , 'GetServerInfo' , 1 , parameters ) data = self . retrieve_request ( url ) return self . return_data ( data , format = format )
Request the Steam Web API status and time .
57,801
def create_request_url ( self , profile_type , steamID ) : regex = re . compile ( '^\d{17,}$' ) if regex . match ( steamID ) : if profile_type == self . USER : url = "http://steamcommunity.com/profiles/%s/?xml=1" % ( steamID ) if profile_type == self . GROUP : url = "http://steamcommunity.com/gid/%s/memberslistxml/?xml=1" % ( steamID ) else : if profile_type == self . USER : url = "http://steamcommunity.com/id/%s/?xml=1" % ( steamID ) if profile_type == self . GROUP : url = "http://steamcommunity.com/groups/%s/memberslistxml/?xml=1" % ( steamID ) return url
Create the url to submit to the Steam Community XML feed .
57,802
def get_user_info ( self , steamID ) : url = self . create_request_url ( self . USER , steamID ) data = self . retrieve_request ( url ) return self . return_data ( data , format = 'xml' )
Request the Steam Community XML feed for a specific user .
57,803
def get_group_info ( self , steamID ) : url = self . create_request_url ( self . GROUP , steamID ) data = self . retrieve_request ( url ) return self . return_data ( data , format = 'xml' )
Request the Steam Community XML feed for a specific group .
57,804
def export ( cls , folder , particles , datetimes ) : normalized_locations = [ particle . normalized_locations ( datetimes ) for particle in particles ] track_coords = [ ] for x in xrange ( 0 , len ( datetimes ) ) : points = MultiPoint ( [ loc [ x ] . point . coords [ 0 ] for loc in normalized_locations ] ) track_coords . append ( points . centroid . coords [ 0 ] ) ls = LineString ( track_coords ) if not os . path . exists ( folder ) : os . makedirs ( folder ) filepath = os . path . join ( folder , "trackline.geojson" ) f = open ( filepath , "wb" ) f . write ( json . dumps ( mapping ( ls ) ) ) f . close ( ) return filepath
Export trackline data to GeoJSON file
57,805
def export ( cls , folder , particles , datetimes ) : if not os . path . exists ( folder ) : os . makedirs ( folder ) particle_path = os . path . join ( folder , 'particles.pickle' ) f = open ( particle_path , "wb" ) pickle . dump ( particles , f ) f . close ( ) datetimes_path = os . path . join ( folder , 'datetimes.pickle' ) f = open ( datetimes_path , "wb" ) pickle . dump ( datetimes , f ) f . close ( )
Export particle and datetime data to Pickled objects . This can be used to debug or to generate different output in the future .
57,806
def import_settings_class ( setting_name ) : config_value = getattr ( settings , setting_name ) if config_value is None : raise ImproperlyConfigured ( "Required setting not found: {0}" . format ( setting_name ) ) return import_class ( config_value , setting_name )
Return the class pointed to be an app setting variable .
57,807
def import_class ( import_path , setting_name = None ) : mod_name , class_name = import_path . rsplit ( '.' , 1 ) mod = import_module_or_none ( mod_name ) if mod is not None : try : return getattr ( mod , class_name ) except AttributeError : pass if setting_name : raise ImproperlyConfigured ( "{0} does not point to an existing class: {1}" . format ( setting_name , import_path ) ) else : raise ImproperlyConfigured ( "Class not found: {0}" . format ( import_path ) )
Import a class by name .
57,808
def import_module_or_none ( module_label ) : try : return importlib . import_module ( module_label ) except ImportError : __ , __ , exc_traceback = sys . exc_info ( ) frames = traceback . extract_tb ( exc_traceback ) frames = [ f for f in frames if f [ 0 ] != "<frozen importlib._bootstrap>" and f [ 0 ] != IMPORT_PATH_IMPORTLIB and not f [ 0 ] . endswith ( IMPORT_PATH_GEVENT ) and not IMPORT_PATH_PYDEV in f [ 0 ] ] if len ( frames ) > 1 : raise return None
Imports the module with the given name .
57,809
def get_logger ( name ) : logger = logging . getLogger ( name ) logger . addHandler ( logging . NullHandler ( ) ) return logger
Gets a logger
57,810
def check_suspension ( user_twitter_id_list ) : twitter = login ( ) suspended_user_twitter_id_list = list ( ) non_suspended_user_twitter_id_list = list ( ) unknown_status_user_twitter_id_list = list ( ) append_suspended_twitter_user = suspended_user_twitter_id_list . append append_non_suspended_twitter_user = non_suspended_user_twitter_id_list . append extend_unknown_status_twitter_user = unknown_status_user_twitter_id_list . extend user_lookup_counter = 0 user_lookup_time_window_start = time . perf_counter ( ) for hundred_length_sub_list in chunks ( list ( user_twitter_id_list ) , 100 ) : try : api_result , user_lookup_counter , user_lookup_time_window_start = safe_twitter_request_handler ( twitter_api_func = twitter . lookup_user , call_rate_limit = 60 , call_counter = user_lookup_counter , time_window_start = user_lookup_time_window_start , max_retries = 10 , wait_period = 2 , parameters = hundred_length_sub_list ) hundred_length_sub_list = set ( hundred_length_sub_list ) for hydrated_user_object in api_result : hydrated_twitter_user_id = hydrated_user_object [ "id" ] if hydrated_twitter_user_id in hundred_length_sub_list : append_non_suspended_twitter_user ( hydrated_twitter_user_id ) else : append_suspended_twitter_user ( hydrated_twitter_user_id ) except twython . TwythonError : extend_unknown_status_twitter_user ( hundred_length_sub_list ) except URLError : extend_unknown_status_twitter_user ( hundred_length_sub_list ) except BadStatusLine : extend_unknown_status_twitter_user ( hundred_length_sub_list ) return suspended_user_twitter_id_list , non_suspended_user_twitter_id_list , unknown_status_user_twitter_id_list
Looks up a list of user ids and checks whether they are currently suspended .
57,811
async def handler ( self ) : self . ws = await websockets . connect ( self . url , ssl = self . ssl ) while self . ws : message = await self . ws . recv ( ) for handle in self . on_message : if asyncio . iscoroutinefunction ( handle ) : await handle ( self , message ) else : handle ( self , message )
Handle loop get and process messages
57,812
def get_url ( self , path = '/' , websocket = False , remote = True , attach_api_key = True , userId = None , pass_uid = False , ** query ) : userId = userId or self . userid if attach_api_key and self . api_key : query . update ( { 'api_key' : self . api_key , 'deviceId' : self . device_id } ) if pass_uid : query [ 'userId' ] = userId if remote : url = self . urlremote or self . url else : url = self . url if websocket : scheme = { 'http' : 'ws' , 'https' : 'wss' } [ url . scheme ] else : scheme = url . scheme netloc = url . netloc + '/emby' url = urlunparse ( ( scheme , netloc , path , '' , '{params}' , '' ) ) . format ( UserId = userId , ApiKey = self . api_key , DeviceId = self . device_id , params = urlencode ( query ) ) return url [ : - 1 ] if url [ - 1 ] == '?' else url
construct a url for an emby request
57,813
async def get ( self , path , ** query ) : url = self . get_url ( path , ** query ) for i in range ( self . tries + 1 ) : try : resp = await self . session . get ( url , timeout = self . timeout ) if await self . _process_resp ( resp ) : return resp else : continue except aiohttp . ClientConnectionError : if i >= self . tries : raise aiohttp . ClientConnectionError ( 'Emby server is probably down' )
return a get request
57,814
async def post ( self , path , data = { } , send_raw = False , ** params ) : url = self . get_url ( path , ** params ) jstr = json . dumps ( data ) for i in range ( self . tries + 1 ) : try : if send_raw : resp = await self . session . post ( url , data = data , timeout = self . timeout ) else : resp = await self . session . post ( url , data = jstr , timeout = self . timeout ) if await self . _process_resp ( resp ) : return resp else : continue except aiohttp . ClientConnectionError : if i >= self . tries : raise aiohttp . ClientConnectionError ( 'Emby server is probably down' )
sends post request
57,815
async def getJson ( self , path , ** query ) : for i in range ( self . tries + 1 ) : try : return await ( await self . get ( path , ** query ) ) . json ( ) except : if i >= self . tries : raise
wrapper for get parses response as json
57,816
def standardize ( ) : def f ( G , bim ) : G_out = standardize_snps ( G ) return G_out , bim return f
return variant standarize function
57,817
def impute ( imputer ) : def f ( G , bim ) : return imputer . fit_transform ( G ) , bim return f
return impute function
57,818
def compose ( func_list ) : def f ( G , bim ) : for func in func_list : G , bim = func ( G , bim ) return G , bim return f
composion of preprocessing functions
57,819
def asdict ( self ) : items = { } for name in self . _items : value = self . _items [ name ] if isinstance ( value , DictionaryObject ) : items [ name ] = value . asdict ( ) else : items [ name ] = value return items
Copy the data back out of here and into a dict . Then return it . Some libraries may check specifically for dict objects such as the json library ; so this makes it convenient to get the data back out .
57,820
def get_joke ( ) : joke = None while joke is None : service_num = randint ( 1 , NUM_SERVICES ) joke = load_joke ( service_num ) return joke
Return a jokes from one of the random services .
57,821
def load_joke ( service_num = 1 ) : result = { 1 : ronswanson . get_joke ( ) , 2 : chucknorris . get_joke ( ) , 3 : catfacts . get_joke ( ) , 4 : dadjokes . get_joke ( ) , } . get ( service_num ) return result
Pulls the joke from the service based on the argument . It is expected that all services used will return a string when successful or None otherwise .
57,822
def read_14c ( fl ) : indata = pd . read_csv ( fl , index_col = None , skiprows = 11 , header = None , names = [ 'calbp' , 'c14age' , 'error' , 'delta14c' , 'sigma' ] ) outcurve = CalibCurve ( calbp = indata [ 'calbp' ] , c14age = indata [ 'c14age' ] , error = indata [ 'error' ] , delta14c = indata [ 'delta14c' ] , sigma = indata [ 'sigma' ] ) return outcurve
Create CalibCurve instance from Bacon curve file
57,823
def read_chron ( fl ) : indata = pd . read_csv ( fl , sep = r'\s*\,\s*' , index_col = None , engine = 'python' ) outcore = ChronRecord ( age = indata [ 'age' ] , error = indata [ 'error' ] , depth = indata [ 'depth' ] , labid = indata [ 'labID' ] ) return outcore
Create ChronRecord instance from Bacon file
57,824
def read_proxy ( fl ) : outcore = ProxyRecord ( data = pd . read_csv ( fl , sep = r'\s*\,\s*' , index_col = None , engine = 'python' ) ) return outcore
Read a file to create a proxy record instance
57,825
def to_pandas ( self ) : agedepthdf = pd . DataFrame ( self . age , index = self . data . depth ) agedepthdf . columns = list ( range ( self . n_members ( ) ) ) out = ( agedepthdf . join ( self . data . set_index ( 'depth' ) ) . reset_index ( ) . melt ( id_vars = self . data . columns . values , var_name = 'mciter' , value_name = 'age' ) ) out [ 'mciter' ] = pd . to_numeric ( out . loc [ : , 'mciter' ] ) if self . n_members ( ) == 1 : out = out . drop ( 'mciter' , axis = 1 ) return out
Convert record to pandas . DataFrame
57,826
def negotiate_header ( url ) : hostname = urlparse ( url ) . hostname _ , krb_context = kerberos . authGSSClientInit ( 'HTTP@%s' % hostname ) yield threads . deferToThread ( kerberos . authGSSClientStep , krb_context , '' ) negotiate_details = kerberos . authGSSClientResponse ( krb_context ) defer . returnValue ( 'Negotiate ' + negotiate_details )
Return the Authorization HTTP header value to use for this URL .
57,827
def _get_specification ( self , specification ) : result = six . moves . urllib . parse . urlparse ( specification ) if result . scheme in [ 'http' , 'https' ] : response = requests . get ( specification ) spec_json = response . json ( ) else : with open ( specification , 'r' ) as spec_file : spec_json = json . load ( spec_file ) return spec_json
Read the specification provided . It can either be a url or a file location .
57,828
def _get_headers ( self , resource ) : if type ( resource ) == file : resource . seek ( 0 ) reader = csv . reader ( resource ) elif isinstance ( resource , basestring ) : result = six . moves . urllib . parse . urlparse ( resource ) if result . scheme in [ 'http' , 'https' ] : with closing ( requests . get ( resource , stream = True ) ) as response : header_row = response . iter_lines ( ) . next ( ) else : with open ( resource ) as resource_file : reader = csv . reader ( resource_file ) header_row = reader . next ( ) reader = csv . reader ( cStringIO . StringIO ( header_row ) ) else : raise IOError ( 'Resource type not supported' ) return reader . next ( )
Get CSV file headers from the provided resource .
57,829
def schema ( self ) : if self . headers is None : raise exceptions . NoResourceLoadedException ( 'Resource must be loaded to find schema' ) try : fields = self . specification . get ( 'fields' , { } ) parsed = { 'primaryKey' : 'id' , 'fields' : [ { 'name' : header , 'type' : fields [ header ] [ 'type' ] , 'description' : fields [ header ] [ 'description' ] } for header in self . headers ] } except KeyError : raise exceptions . NotABudgetDataPackageException ( 'Includes other fields than the Budget Data Package fields' ) return parsed
The generated budget data package schema for this resource . If the resource has any fields that do not conform to the provided specification this will raise a NotABudgetDataPackageException .
57,830
def get_time ( self , idx = 0 ) : timestr = SingleTifPhasics . _get_meta_data ( path = self . path , section = "acquisition info" , name = "date & heure" ) if timestr is not None : timestr = timestr . split ( "." ) structtime = time . strptime ( timestr [ 0 ] , "%Y-%m-%d_%Hh%Mm%Ss" ) fracsec = float ( timestr [ 1 ] ) * 1e-5 thetime = calendar . timegm ( structtime ) + fracsec else : thetime = np . nan return thetime
Return the time of the tif data since the epoch
57,831
def _generate_and_store_mold_id_map ( self , template_map , molds ) : name = self . req_tmpl_name for key in sorted ( template_map . keys ( ) , reverse = True ) : if len ( key . split ( '/' ) ) == 3 and key . endswith ( name ) : mold_id = key [ len ( self . text_prefix ) : - len ( name ) - 1 ] molds [ mold_id ] = template_map [ key ] [ : - len ( name ) - 1 ] yield mold_id
Not a pure generator expression as this has the side effect of storing the resulting id and map it into a local dict . Produces a list of all valid mold_ids from the input template_keys .
57,832
def mold_id_to_path ( self , mold_id , default = _marker ) : def handle_default ( debug_msg = None ) : if debug_msg : logger . debug ( 'mold_id_to_path:' + debug_msg , mold_id ) if default is _marker : raise KeyError ( 'Failed to lookup mold_id %s to a path' % mold_id ) return default result = self . molds . get ( mold_id ) if result : return result if not self . tracked_entry_points : return handle_default ( ) try : prefix , mold_basename = mold_id . split ( '/' ) except ValueError : return handle_default ( 'mold_id %s not found and not in standard format' ) entry_point = self . tracked_entry_points . get ( prefix ) if entry_point is None : return handle_default ( ) return join ( self . _entry_point_to_path ( entry_point ) , mold_basename )
Lookup the filesystem path of a mold identifier .
57,833
def lookup_path ( self , mold_id_path , default = _marker ) : fragments = mold_id_path . split ( '/' ) mold_id = '/' . join ( fragments [ : 2 ] ) try : subpath = [ ] for piece in fragments [ 2 : ] : if ( sep in piece or ( altsep and altsep in piece ) or piece == pardir ) : raise KeyError elif piece and piece != '.' : subpath . append ( piece ) path = self . mold_id_to_path ( mold_id ) except KeyError : if default is _marker : raise return default return join ( path , * subpath )
For the given mold_id_path look up the mold_id and translate that path to its filesystem equivalent .
57,834
def verify_path ( self , mold_id_path ) : try : path = self . lookup_path ( mold_id_path ) if not exists ( path ) : raise KeyError except KeyError : raise_os_error ( ENOENT ) return path
Lookup and verify path .
57,835
def _get_skippers ( configure , file_name = None ) : skippers = [ ] if file_name is None : file_name = os . path . join ( os . path . dirname ( os . path . dirname ( os . path . dirname ( os . path . realpath ( __file__ ) ) ) ) , 'skippers.xml' ) xmldoc = minidom . parse ( file_name ) skippers_xml = xmldoc . getElementsByTagName ( 'skippers' ) [ 0 ] . getElementsByTagName ( 'skipper' ) for skipper_xml in skippers_xml : skippers . append ( { 'selector' : skipper_xml . attributes [ 'selector' ] . value , 'description' : configure . get_parameter ( skipper_xml . attributes [ 'description' ] . value ) , 'shortcut' : skipper_xml . attributes [ 'shortcut' ] . value } ) return skippers
Returns the skippers of configuration .
57,836
def _generate_list_skippers ( self ) : container = self . parser . find ( '#' + AccessibleNavigationImplementation . ID_CONTAINER_SKIPPERS ) . first_result ( ) html_list = None if container is None : local = self . parser . find ( 'body' ) . first_result ( ) if local is not None : container = self . parser . create_element ( 'div' ) container . set_attribute ( 'id' , AccessibleNavigationImplementation . ID_CONTAINER_SKIPPERS ) local . prepend_element ( container ) if container is not None : html_list = self . parser . find ( container ) . find_children ( 'ul' ) . first_result ( ) if html_list is None : html_list = self . parser . create_element ( 'ul' ) container . append_element ( html_list ) self . list_skippers_added = True return html_list
Generate the list of skippers of page .
57,837
def _generate_list_heading ( self ) : local = self . parser . find ( 'body' ) . first_result ( ) id_container_heading_before = ( AccessibleNavigationImplementation . ID_CONTAINER_HEADING_BEFORE ) id_container_heading_after = ( AccessibleNavigationImplementation . ID_CONTAINER_HEADING_AFTER ) if local is not None : container_before = self . parser . find ( '#' + id_container_heading_before ) . first_result ( ) if ( container_before is None ) and ( self . elements_heading_before ) : container_before = self . parser . create_element ( 'div' ) container_before . set_attribute ( 'id' , id_container_heading_before ) text_container_before = self . parser . create_element ( 'span' ) text_container_before . set_attribute ( 'class' , AccessibleNavigationImplementation . CLASS_TEXT_HEADING ) text_container_before . append_text ( self . elements_heading_before ) container_before . append_element ( text_container_before ) local . prepend_element ( container_before ) if container_before is not None : self . list_heading_before = self . parser . find ( container_before ) . find_children ( 'ol' ) . first_result ( ) if self . list_heading_before is None : self . list_heading_before = self . parser . create_element ( 'ol' ) container_before . append_element ( self . list_heading_before ) container_after = self . parser . find ( '#' + id_container_heading_after ) . first_result ( ) if ( container_after is None ) and ( self . elements_heading_after ) : container_after = self . parser . create_element ( 'div' ) container_after . set_attribute ( 'id' , id_container_heading_after ) text_container_after = self . parser . create_element ( 'span' ) text_container_after . set_attribute ( 'class' , AccessibleNavigationImplementation . CLASS_TEXT_HEADING ) text_container_after . append_text ( self . elements_heading_after ) container_after . append_element ( text_container_after ) local . append_element ( container_after ) if container_after is not None : self . list_heading_after = self . parser . find ( container_after ) . find_children ( 'ol' ) . first_result ( ) if self . list_heading_after is None : self . list_heading_after = self . parser . create_element ( 'ol' ) container_after . append_element ( self . list_heading_after ) self . list_heading_added = True
Generate the list of heading links of page .
57,838
def _get_heading_level ( self , element ) : tag = element . get_tag_name ( ) if tag == 'H1' : return 1 elif tag == 'H2' : return 2 elif tag == 'H3' : return 3 elif tag == 'H4' : return 4 elif tag == 'H5' : return 5 elif tag == 'H6' : return 6 return - 1
Returns the level of heading .
57,839
def _is_valid_heading ( self ) : elements = self . parser . find ( 'h1,h2,h3,h4,h5,h6' ) . list_results ( ) last_level = 0 count_main_heading = 0 self . validate_heading = True for element in elements : level = self . _get_heading_level ( element ) if level == 1 : if count_main_heading == 1 : return False else : count_main_heading = 1 if ( level - last_level ) > 1 : return False last_level = level return True
Check that the headings of page are sintatic correct .
57,840
def _generate_anchor_for ( self , element , data_attribute , anchor_class ) : self . id_generator . generate_id ( element ) if self . parser . find ( '[' + data_attribute + '="' + element . get_attribute ( 'id' ) + '"]' ) . first_result ( ) is None : if element . get_tag_name ( ) == 'A' : anchor = element else : anchor = self . parser . create_element ( 'a' ) self . id_generator . generate_id ( anchor ) anchor . set_attribute ( 'class' , anchor_class ) element . insert_before ( anchor ) if not anchor . has_attribute ( 'name' ) : anchor . set_attribute ( 'name' , anchor . get_attribute ( 'id' ) ) anchor . set_attribute ( data_attribute , element . get_attribute ( 'id' ) ) return anchor return None
Generate an anchor for the element .
57,841
def _free_shortcut ( self , shortcut ) : alpha_numbers = '1234567890abcdefghijklmnopqrstuvwxyz' elements = self . parser . find ( '[accesskey]' ) . list_results ( ) found = False for element in elements : shortcuts = element . get_attribute ( 'accesskey' ) . lower ( ) if CommonFunctions . in_list ( shortcuts , shortcut ) : for key in alpha_numbers : found = True for element_with_shortcuts in elements : shortcuts = element_with_shortcuts . get_attribute ( 'accesskey' ) . lower ( ) if CommonFunctions . in_list ( shortcuts , key ) : found = False break if found : element . set_attribute ( 'accesskey' , key ) break if found : break
Replace the shortcut of elements that has the shortcut passed .
57,842
def _add ( self , name , * args , ** kwargs ) : self . commands . append ( Command ( name , args , kwargs ) )
Appends a command to the scrims list of commands . You should not need to use this .
57,843
def write ( self ) : if self . path is None : raise Exception ( 'Scrim.path is None' ) dirname = os . path . dirname ( os . path . abspath ( self . path ) ) if not os . path . exists ( dirname ) : try : os . makedirs ( dirname ) except : raise OSError ( 'Failed to create root for scrim output.' ) with open ( self . path , 'w' ) as f : f . write ( self . to_string ( ) )
Write this Scrims commands to its path
57,844
def remove_orphans ( self , instance , ** kwargs ) : from activity_monitor . models import Activity try : instance_content_type = ContentType . objects . get_for_model ( instance ) timeline_item = Activity . objects . get ( content_type = instance_content_type , object_id = instance . pk ) timeline_item . delete ( ) except Activity . DoesNotExist : return
When an item is deleted first delete any Activity object that has been created on its behalf .
57,845
def follow_model ( self , model ) : if model : self . models_by_name [ model . __name__ . lower ( ) ] = model signals . post_save . connect ( create_or_update , sender = model ) signals . post_delete . connect ( self . remove_orphans , sender = model )
Follow a particular model class updating associated Activity objects automatically .
57,846
def get_for_model ( self , model ) : return self . filter ( content_type = ContentType . objects . get_for_model ( model ) )
Return a QuerySet of only items of a certain type .
57,847
def get_last_update_of_model ( self , model , ** kwargs ) : qs = self . get_for_model ( model ) if kwargs : qs = qs . filter ( ** kwargs ) try : return qs . order_by ( '-timestamp' ) [ 0 ] . timestamp except IndexError : return datetime . datetime . fromtimestamp ( 0 )
Return the last time a given model s items were updated . Returns the epoch if the items were never updated .
57,848
def for_each ( self , operation , limit = 0 , verbose = False ) : if limit != 0 : count = 0 while self . has_next ( ) : operation . perform ( self . next ( ) ) count += 1 if verbose : print count if count >= limit : break else : while self . has_next ( ) : operation . perform ( self . next ( ) )
Applies the given Operation to each item in the stream . The Operation executes on the items in the stream in the order that they appear in the stream .
57,849
def iregex ( value , iregex ) : return re . match ( iregex , value , flags = re . I )
Returns true if the value case insentively matches agains the regex .
57,850
def get_subdirectories ( directory ) : return [ name for name in os . listdir ( directory ) if name != '__pycache__' if os . path . isdir ( os . path . join ( directory , name ) ) ]
Get subdirectories without pycache
57,851
def get_python_path ( ) -> str : python_bin = None if os . name == 'nt' : python_root = os . path . abspath ( os . path . join ( os . __file__ , os . pardir , os . pardir ) ) python_bin = os . path . join ( python_root , 'python.exe' ) else : python_root = os . path . abspath ( os . path . join ( os . __file__ , os . pardir , os . pardir , os . pardir ) ) python = os . __file__ . rsplit ( '/' ) [ - 2 ] python_bin = os . path . join ( python_root , 'bin' , python ) return python_bin
Accurately get python executable
57,852
def __collect_fields ( self ) : form = FormData ( ) form . add_field ( self . __username_field , required = True , error = self . __username_error ) form . add_field ( self . __password_field , required = True , error = self . __password_error ) form . parse ( ) self . username = form . values [ self . __username_field ] self . password = form . values [ self . __password_field ] return
Use field values from config . json and collect from request
57,853
def install_board ( board_id , board_options , hwpack = 'arduino' , replace_existing = False ) : doaction = 0 if board_id in boards ( hwpack ) . keys ( ) : log . debug ( 'board already exists: %s' , board_id ) if replace_existing : log . debug ( 'remove board: %s' , board_id ) remove_board ( board_id ) doaction = 1 else : doaction = 1 if doaction : lines = bunch2properties ( board_id , board_options ) boards_txt ( ) . write_lines ( [ '' ] + lines , append = 1 )
install board in boards . txt .
57,854
def cycles ( cls , ** kwargs ) : if "loc" not in kwargs : if "point" not in kwargs : if "lat" not in kwargs or "lon" not in kwargs : raise ValueError ( "You must supply some form of lat/lon coordinates" ) else : lat = kwargs . get ( "lat" ) lon = kwargs . get ( "lon" ) else : lat = kwargs . get ( "point" ) . y lon = kwargs . get ( "point" ) . x if "time" not in kwargs : raise ValueError ( "You must supply a datetime object" ) else : time = kwargs . get ( "time" ) else : lat = kwargs . get ( "loc" ) . latitude lon = kwargs . get ( "loc" ) . longitude time = kwargs . get ( "loc" ) . time if time . tzinfo is None : time = time . replace ( tzinfo = pytz . utc ) original_zone = pytz . utc else : original_zone = time . tzinfo local_jd = time . timetuple ( ) . tm_yday utc_jd = time . astimezone ( pytz . utc ) . timetuple ( ) . tm_yday comp = cmp ( utc_jd , local_jd ) if comp == 1 : utc_jd -= 1 elif comp == - 1 : utc_jd += 1 time = time . replace ( hour = 0 , minute = 0 , second = 0 , microsecond = 0 ) rising_h , rising_m = cls . _calc ( jd = utc_jd , lat = lat , lon = lon , stage = cls . RISING ) setting_h , setting_m = cls . _calc ( jd = utc_jd , lat = lat , lon = lon , stage = cls . SETTING ) rising = time . replace ( tzinfo = pytz . utc ) + timedelta ( hours = rising_h , minutes = rising_m ) setting = time . replace ( tzinfo = pytz . utc ) + timedelta ( hours = setting_h , minutes = setting_m ) if setting < rising : setting = setting + timedelta ( hours = 24 ) rising = rising . astimezone ( original_zone ) setting = setting . astimezone ( original_zone ) return { cls . RISING : rising , cls . SETTING : setting }
Classmethod for convienence in returning both the sunrise and sunset based on a location and date . Always calculates the sunrise and sunset on the given date no matter the time passed into the function in the datetime object .
57,855
def _operation_speak_as_spell_out ( self , content , index , children ) : children . append ( self . _create_content_element ( content [ 0 : ( index + 1 ) ] , 'spell-out' ) ) children . append ( self . _create_aural_content_element ( ' ' , 'spell-out' ) ) return children
The operation method of _speak_as method for spell - out .
57,856
def _operation_speak_as_literal_punctuation ( self , content , index , children ) : data_property_value = 'literal-punctuation' if index != 0 : children . append ( self . _create_content_element ( content [ 0 : index ] , data_property_value ) ) children . append ( self . _create_aural_content_element ( ( ' ' + self . _get_description_of_symbol ( content [ index : ( index + 1 ) ] ) + ' ' ) , data_property_value ) ) children . append ( self . _create_visual_content_element ( content [ index : ( index + 1 ) ] , data_property_value ) ) return children
The operation method of _speak_as method for literal - punctuation .
57,857
def _operation_speak_as_no_punctuation ( self , content , index , children ) : if index != 0 : children . append ( self . _create_content_element ( content [ 0 : index ] , 'no-punctuation' ) ) children . append ( self . _create_visual_content_element ( content [ index : ( index + 1 ) ] , 'no-punctuation' ) ) return children
The operation method of _speak_as method for no - punctuation .
57,858
def _operation_speak_as_digits ( self , content , index , children ) : data_property_value = 'digits' if index != 0 : children . append ( self . _create_content_element ( content [ 0 : index ] , data_property_value ) ) children . append ( self . _create_aural_content_element ( ' ' , data_property_value ) ) children . append ( self . _create_content_element ( content [ index : ( index + 1 ) ] , data_property_value ) ) return children
The operation method of _speak_as method for digits .
57,859
def _set_symbols ( self , file_name , configure ) : self . symbols = [ ] if file_name is None : file_name = os . path . join ( os . path . dirname ( os . path . dirname ( os . path . dirname ( os . path . realpath ( __file__ ) ) ) ) , 'symbols.xml' ) xmldoc = minidom . parse ( file_name ) symbols_xml = xmldoc . getElementsByTagName ( 'symbols' ) [ 0 ] . getElementsByTagName ( 'symbol' ) for symbol_xml in symbols_xml : self . symbols . append ( { 'symbol' : symbol_xml . attributes [ 'symbol' ] . value , 'description' : configure . get_parameter ( symbol_xml . attributes [ 'description' ] . value ) } )
Load the symbols with configuration .
57,860
def _get_formated_symbol ( self , symbol ) : old_symbols = [ '\\' , '.' , '+' , '*' , '?' , '^' , '$' , '[' , ']' , '{' , '}' , '(' , ')' , '|' , '/' , ',' , '!' , '=' , ':' , '-' ] replace_dict = { '\\' : '\\\\' , '.' : r'\.' , '+' : r'\+' , '*' : r'\*' , '?' : r'\?' , '^' : r'\^' , '$' : r'\$' , '[' : r'\[' , ']' : r'\]' , '{' : r'\{' , '}' : r'\}' , '(' : r'\(' , ')' : r'\)' , '|' : r'\|' , '/' : r'\/' , ',' : r'\,' , '!' : r'\!' , '=' : r'\=' , ':' : r'\:' , '-' : r'\-' } for old in old_symbols : symbol = symbol . replace ( old , replace_dict [ old ] ) return symbol
Returns the symbol formated to be searched by regular expression .
57,861
def _get_regular_expression_of_symbols ( self ) : regular_expression = None for symbol in self . symbols : formated_symbol = self . _get_formated_symbol ( symbol [ 'symbol' ] ) if regular_expression is None : regular_expression = '(' + formated_symbol + ')' else : regular_expression = ( regular_expression + '|(' + formated_symbol + ')' ) return regular_expression
Returns the regular expression to search all symbols .
57,862
def _is_valid_inherit_element ( self , element ) : tag_name = element . get_tag_name ( ) return ( ( tag_name in AccessibleCSSImplementation . VALID_INHERIT_TAGS ) and ( not element . has_attribute ( CommonFunctions . DATA_IGNORE ) ) )
Check that the children of element can be manipulated to apply the CSS properties .
57,863
def _isolate_text_node ( self , element ) : if ( ( element . has_children_elements ( ) ) and ( self . _is_valid_element ( element ) ) ) : if self . _is_valid_element ( element ) : child_nodes = element . get_children ( ) for child_node in child_nodes : if isinstance ( child_node , HTMLDOMTextNode ) : span = self . html_parser . create_element ( 'span' ) span . set_attribute ( AccessibleCSSImplementation . DATA_ISOLATOR_ELEMENT , 'true' ) span . append_text ( child_node . get_text_content ( ) ) child_node . replace_node ( span ) children = element . get_children_elements ( ) for child in children : self . _isolate_text_node ( child )
Isolate text nodes of element nodes .
57,864
def _replace_element_by_own_content ( self , element ) : if element . has_children_elements ( ) : children = element . get_children_elements ( ) for child in children : element . insert_before ( child ) element . remove_node ( ) elif element . has_children ( ) : element . replace_node ( element . get_first_node_child ( ) )
Replace the element by own text content .
57,865
def _visit ( self , element , operation ) : if self . _is_valid_inherit_element ( element ) : if element . has_children_elements ( ) : children = element . get_children_elements ( ) for child in children : self . _visit ( child , operation ) elif self . _is_valid_element ( element ) : operation ( element )
Visit and execute a operation in element and descendants .
57,866
def _create_content_element ( self , content , data_property_value ) : content_element = self . html_parser . create_element ( 'span' ) content_element . set_attribute ( AccessibleCSSImplementation . DATA_ISOLATOR_ELEMENT , 'true' ) content_element . set_attribute ( AccessibleCSSImplementation . DATA_SPEAK_AS , data_property_value ) content_element . append_text ( content ) return content_element
Create a element to show the content .
57,867
def _create_aural_content_element ( self , content , data_property_value ) : content_element = self . _create_content_element ( content , data_property_value ) content_element . set_attribute ( 'unselectable' , 'on' ) content_element . set_attribute ( 'class' , 'screen-reader-only' ) return content_element
Create a element to show the content only to aural displays .
57,868
def _create_visual_content_element ( self , content , data_property_value ) : content_element = self . _create_content_element ( content , data_property_value ) content_element . set_attribute ( 'aria-hidden' , 'true' ) content_element . set_attribute ( 'role' , 'presentation' ) return content_element
Create a element to show the content only to visual displays .
57,869
def _speak_normal ( self , element ) : if element . has_attribute ( AccessibleCSSImplementation . DATA_SPEAK ) : if ( ( element . get_attribute ( AccessibleCSSImplementation . DATA_SPEAK ) == 'none' ) and ( not element . has_attribute ( AccessibleCSSImplementation . DATA_ISOLATOR_ELEMENT ) ) ) : element . remove_attribute ( 'role' ) element . remove_attribute ( 'aria-hidden' ) element . remove_attribute ( AccessibleCSSImplementation . DATA_SPEAK ) else : self . _replace_element_by_own_content ( element )
Speak the content of element only .
57,870
def _speak_normal_inherit ( self , element ) : self . _visit ( element , self . _speak_normal ) element . normalize ( )
Speak the content of element and descendants .
57,871
def _speak_none ( self , element ) : element . set_attribute ( 'role' , 'presentation' ) element . set_attribute ( 'aria-hidden' , 'true' ) element . set_attribute ( AccessibleCSSImplementation . DATA_SPEAK , 'none' )
No speak any content of element only .
57,872
def _speak_none_inherit ( self , element ) : self . _isolate_text_node ( element ) self . _visit ( element , self . _speak_none )
No speak any content of element and descendants .
57,873
def _speak_as ( self , element , regular_expression , data_property_value , operation ) : children = [ ] pattern = re . compile ( regular_expression ) content = element . get_text_content ( ) while content : matches = pattern . search ( content ) if matches is not None : index = matches . start ( ) children = operation ( content , index , children ) new_index = index + 1 content = content [ new_index : ] else : break if children : if content : children . append ( self . _create_content_element ( content , data_property_value ) ) while element . has_children ( ) : element . get_first_node_child ( ) . remove_node ( ) for child in children : element . append_element ( child )
Execute a operation by regular expression for element only .
57,874
def _reverse_speak_as ( self , element , data_property_value ) : data_property = ( '[' + AccessibleCSSImplementation . DATA_SPEAK_AS + '="' + data_property_value + '"]' ) auxiliar_elements = self . html_parser . find ( element ) . find_descendants ( data_property ) . list_results ( ) for auxiliar_element in auxiliar_elements : auxiliar_element . remove_node ( ) content_elements = self . html_parser . find ( element ) . find_descendants ( data_property ) . list_results ( ) for content_element in content_elements : if ( ( element . has_attribute ( AccessibleCSSImplementation . DATA_ISOLATOR_ELEMENT ) ) and ( element . has_attribute ( AccessibleCSSImplementation . DATA_ISOLATOR_ELEMENT ) == 'true' ) ) : self . _replace_element_by_own_content ( content_element ) element . normalize ( )
Revert changes of a speak_as method for element and descendants .
57,875
def _speak_as_normal ( self , element ) : self . _reverse_speak_as ( element , 'spell-out' ) self . _reverse_speak_as ( element , 'literal-punctuation' ) self . _reverse_speak_as ( element , 'no-punctuation' ) self . _reverse_speak_as ( element , 'digits' )
Use the default speak configuration of user agent for element and descendants .
57,876
def _speak_as_spell_out_inherit ( self , element ) : self . _reverse_speak_as ( element , 'spell-out' ) self . _isolate_text_node ( element ) self . _visit ( element , self . _speak_as_spell_out )
Speak one letter at a time for each word for elements and descendants .
57,877
def _speak_as_literal_punctuation ( self , element ) : self . _speak_as ( element , self . _get_regular_expression_of_symbols ( ) , 'literal-punctuation' , self . _operation_speak_as_literal_punctuation )
Speak the punctuation for elements only .
57,878
def _speak_as_literal_punctuation_inherit ( self , element ) : self . _reverse_speak_as ( element , 'literal-punctuation' ) self . _reverse_speak_as ( element , 'no-punctuation' ) self . _isolate_text_node ( element ) self . _visit ( element , self . _speak_as_literal_punctuation )
Speak the punctuation for elements and descendants .
57,879
def _speak_as_no_punctuation_inherit ( self , element ) : self . _reverse_speak_as ( element , 'literal-punctuation' ) self . _reverse_speak_as ( element , 'no-punctuation' ) self . _isolate_text_node ( element ) self . _visit ( element , self . _speak_as_no_punctuation )
No speak the punctuation for element and descendants .
57,880
def _speak_as_digits_inherit ( self , element ) : self . _reverse_speak_as ( element , 'digits' ) self . _isolate_text_node ( element ) self . _visit ( element , self . _speak_as_digits )
Speak the digit at a time for each number for element and descendants .
57,881
def _speak_header_always_inherit ( self , element ) : self . _speak_header_once_inherit ( element ) cell_elements = self . html_parser . find ( element ) . find_descendants ( 'td[headers],th[headers]' ) . list_results ( ) accessible_display = AccessibleDisplayImplementation ( self . html_parser , self . configure ) for cell_element in cell_elements : accessible_display . display_cell_header ( cell_element )
The cells headers will be spoken for every data cell for element and descendants .
57,882
def _speak_header_once_inherit ( self , element ) : header_elements = self . html_parser . find ( element ) . find_descendants ( '[' + AccessibleDisplayImplementation . DATA_ATTRIBUTE_HEADERS_OF + ']' ) . list_results ( ) for header_element in header_elements : header_element . remove_node ( )
The cells headers will be spoken one time for element and descendants .
57,883
def _provide_speak_properties_with_rule ( self , element , rule ) : if rule . has_property ( 'speak' ) : declarations = rule . get_declarations ( 'speak' ) for declaration in declarations : property_value = declaration . get_value ( ) if property_value == 'none' : self . _speak_none_inherit ( element ) elif property_value == 'normal' : self . _speak_normal_inherit ( element ) elif property_value == 'spell-out' : self . _speak_as_spell_out_inherit ( element ) if rule . has_property ( 'speak-as' ) : declarations = rule . get_declarations ( 'speak-as' ) for declaration in declarations : speak_as_values = declaration . get_values ( ) self . _speak_as_normal ( element ) for speak_as_value in speak_as_values : if speak_as_value == 'spell-out' : self . _speak_as_spell_out_inherit ( element ) elif speak_as_value == 'literal-punctuation' : self . _speak_as_literal_punctuation_inherit ( element ) elif speak_as_value == 'no-punctuation' : self . _speak_as_no_punctuation_inherit ( element ) elif speak_as_value == 'digits' : self . _speak_as_digits_inherit ( element ) if rule . has_property ( 'speak-punctuation' ) : declarations = rule . get_declarations ( 'speak-punctuation' ) for declaration in declarations : property_value = declaration . get_value ( ) if property_value == 'code' : self . _speak_as_literal_punctuation_inherit ( element ) elif property_value == 'none' : self . _speak_as_no_punctuation_inherit ( element ) if rule . has_property ( 'speak-numeral' ) : declarations = rule . get_declarations ( 'speak-numeral' ) for declaration in declarations : property_value = declaration . get_value ( ) if property_value == 'digits' : self . _speak_as_digits_inherit ( element ) elif property_value == 'continuous' : self . _speak_as_continuous_inherit ( element ) if rule . has_property ( 'speak-header' ) : declarations = rule . get_declarations ( 'speak-header' ) for declaration in declarations : property_value = declaration . get_value ( ) if property_value == 'always' : self . _speak_header_always_inherit ( element ) elif property_value == 'once' : self . _speak_header_once_inherit ( element )
Provide the CSS features of speaking and speech properties in element .
57,884
def commonprefix ( m ) : u"Given a list of pathnames, returns the longest common leading component" if not m : return '' prefix = m [ 0 ] for item in m : for i in range ( len ( prefix ) ) : if prefix [ : i + 1 ] . lower ( ) != item [ : i + 1 ] . lower ( ) : prefix = prefix [ : i ] if i == 0 : return u'' break return prefix
u Given a list of pathnames returns the longest common leading component
57,885
def _init_incremental_search ( self , searchfun , init_event ) : u log ( "init_incremental_search" ) self . subsearch_query = u'' self . subsearch_fun = searchfun self . subsearch_old_line = self . l_buffer . get_line_text ( ) queue = self . process_keyevent_queue queue . append ( self . _process_incremental_search_keyevent ) self . subsearch_oldprompt = self . prompt if ( self . previous_func != self . reverse_search_history and self . previous_func != self . forward_search_history ) : self . subsearch_query = self . l_buffer [ 0 : Point ] . get_line_text ( ) if self . subsearch_fun == self . reverse_search_history : self . subsearch_prompt = u"reverse-i-search%d`%s': " else : self . subsearch_prompt = u"forward-i-search%d`%s': " self . prompt = self . subsearch_prompt % ( self . _history . history_cursor , "" ) if self . subsearch_query : self . line = self . _process_incremental_search_keyevent ( init_event ) else : self . line = u""
u Initialize search prompt
57,886
def _init_digit_argument ( self , keyinfo ) : c = self . console line = self . l_buffer . get_line_text ( ) self . _digit_argument_oldprompt = self . prompt queue = self . process_keyevent_queue queue = self . process_keyevent_queue queue . append ( self . _process_digit_argument_keyevent ) if keyinfo . char == "-" : self . argument = - 1 elif keyinfo . char in u"0123456789" : self . argument = int ( keyinfo . char ) log ( u"<%s> %s" % ( self . argument , type ( self . argument ) ) ) self . prompt = u"(arg: %s) " % self . argument log ( u"arg-init %s %s" % ( self . argument , keyinfo . char ) )
Initialize search prompt
57,887
def _process_keyevent ( self , keyinfo ) : u log ( u"_process_keyevent <%s>" % keyinfo ) def nop ( e ) : pass if self . next_meta : self . next_meta = False keyinfo . meta = True keytuple = keyinfo . tuple ( ) if self . _insert_verbatim : self . insert_text ( keyinfo ) self . _insert_verbatim = False self . argument = 0 return False if keytuple in self . exit_dispatch : pars = ( self . l_buffer , lineobj . EndOfLine ( self . l_buffer ) ) log ( u"exit_dispatch:<%s, %s>" % pars ) if lineobj . EndOfLine ( self . l_buffer ) == 0 : raise EOFError if keyinfo . keyname or keyinfo . control or keyinfo . meta : default = nop else : default = self . self_insert dispatch_func = self . key_dispatch . get ( keytuple , default ) log ( u"readline from keyboard:<%s,%s>" % ( keytuple , dispatch_func ) ) r = None if dispatch_func : r = dispatch_func ( keyinfo ) self . _keylog ( dispatch_func , self . l_buffer ) self . l_buffer . push_undo ( ) self . previous_func = dispatch_func return r
u return True when line is final
57,888
def reverse_search_history ( self , e ) : u log ( "rev_search_history" ) self . _init_incremental_search ( self . _history . reverse_search_history , e ) self . finalize ( )
u Search backward starting at the current line and moving up through the history as necessary . This is an incremental search .
57,889
def forward_search_history ( self , e ) : u log ( "fwd_search_history" ) self . _init_incremental_search ( self . _history . forward_search_history , e ) self . finalize ( )
u Search forward starting at the current line and moving down through the the history as necessary . This is an incremental search .
57,890
def tab_insert ( self , e ) : u cursor = min ( self . l_buffer . point , len ( self . l_buffer . line_buffer ) ) ws = ' ' * ( self . tabstop - ( cursor % self . tabstop ) ) self . insert_text ( ws ) self . finalize ( )
u Insert a tab character .
57,891
def create ( filename , task , alias ) : metadata = ET . Element ( 'metadata' , { 'xml:lang' : 'en' } ) tool = ET . SubElement ( metadata , 'tool' , name = task . name , displayname = task . display_name , toolboxalias = alias ) summary = ET . SubElement ( tool , 'summary' ) summary . text = '' . join ( ( HTML_BEGIN , task . description , HTML_END ) ) parameters = ET . SubElement ( tool , 'parameters' ) for task_param in task . parameters : param = ET . SubElement ( parameters , 'param' , name = task_param [ 'name' ] , displayname = task_param [ 'display_name' ] ) dialog_ref = ET . SubElement ( param , 'dialogReference' ) dialog_ref . text = '' . join ( ( HTML_BEGIN , task_param [ 'description' ] , HTML_END ) ) python_ref = ET . SubElement ( param , 'pythonReference' ) python_ref . text = '' . join ( ( HTML_BEGIN , task_param [ 'description' ] , HTML_END ) ) dataIdInfo = ET . SubElement ( metadata , 'dataIdInfo' ) searchKeys = ET . SubElement ( dataIdInfo , 'searchKeys' ) keyword1 = ET . SubElement ( searchKeys , 'keyword' ) keyword1 . text = 'ENVI' keyword2 = ET . SubElement ( searchKeys , 'keyword' ) keyword2 . text = task . name idCitation = ET . SubElement ( dataIdInfo , 'idCitation' ) resTitle = ET . SubElement ( idCitation , 'resTitle' ) resTitle . text = task . name idAbs = ET . SubElement ( dataIdInfo , 'idAbs' ) idAbs . text = '' . join ( ( HTML_BEGIN , task . description , HTML_END ) ) idCredit = ET . SubElement ( dataIdInfo , 'idCredit' ) idCredit . text = '(c) 2017 Exelis Visual Information Solutions, Inc.' resTitle . text = task . name tree = ET . ElementTree ( metadata ) tree . write ( filename )
Creates a gptool help xml file .
57,892
def parse_params ( self , params ) : for ( key , value ) in params . items ( ) : if not isinstance ( value , str ) : string_params = self . to_string ( value ) params [ key ] = string_params return params
Parsing params params is a dict and the dict value can be a string or an iterable namely a list we need to process those iterables
57,893
def to_string ( self , obj ) : try : converted = [ str ( element ) for element in obj ] string = ',' . join ( converted ) except TypeError : string = str ( obj ) return string
Picks up an object and transforms it into a string by coercing each element in an iterable to a string and then joining them or by trying to coerce the object directly
57,894
def filter ( self , endpoint , params ) : params = self . parse_params ( params ) params = urlencode ( params ) path = '{0}?{1}' . format ( endpoint , params ) return self . get ( path )
Makes a get request by construction the path from an endpoint and a dict with filter query params
57,895
def is_domain_class_member_attribute ( ent , attr_name ) : attr = get_domain_class_attribute ( ent , attr_name ) return attr . kind == RESOURCE_ATTRIBUTE_KINDS . MEMBER
Checks if the given attribute name is a entity attribute of the given registered resource .
57,896
def is_domain_class_collection_attribute ( ent , attr_name ) : attr = get_domain_class_attribute ( ent , attr_name ) return attr . kind == RESOURCE_ATTRIBUTE_KINDS . COLLECTION
Checks if the given attribute name is a aggregate attribute of the given registered resource .
57,897
def set_password ( self , password ) : self . password = Security . hash ( password ) self . save ( )
Set user password with hash
57,898
def create_password_reset ( cls , email , valid_for = 3600 ) -> str : user = cls . where_email ( email ) if user is None : return None PasswordResetModel . delete_where_user_id ( user . id ) token = JWT ( ) . create_token ( { 'code' : Security . random_string ( 5 ) , 'user_id' : user . id } , token_valid_for = valid_for ) code = Security . generate_uuid ( 1 ) + "-" + Security . random_string ( 5 ) password_reset_model = PasswordResetModel ( ) password_reset_model . token = token password_reset_model . code = code password_reset_model . user_id = user . id password_reset_model . save ( ) return code
Create a password reset request in the user_password_resets database table . Hashed code gets stored in the database . Returns unhashed reset code
57,899
def validate_password_reset ( cls , code , new_password ) : password_reset_model = PasswordResetModel . where_code ( code ) if password_reset_model is None : return None jwt = JWT ( ) if jwt . verify_token ( password_reset_model . token ) : user = cls . where_id ( jwt . data [ 'data' ] [ 'user_id' ] ) if user is not None : user . set_password ( new_password ) PasswordResetModel . delete_where_user_id ( user . id ) return user password_reset_model . delete ( ) return None
Validates an unhashed code against a hashed code . Once the code has been validated and confirmed new_password will replace the old users password