idx
int64
0
251k
question
stringlengths
53
3.53k
target
stringlengths
5
1.23k
len_question
int64
20
893
len_target
int64
3
238
3,000
def a_not_committed ( ctx ) : ctx . ctrl . sendline ( 'n' ) ctx . msg = "Some active software packages are not yet committed. Reload may cause software rollback." ctx . device . chain . connection . emit_message ( ctx . msg , log_level = logging . ERROR ) ctx . failed = True return False
Provide the message that current software is not committed and reload is not possible .
81
16
3,001
def a_stays_connected ( ctx ) : ctx . ctrl . connected = True ctx . device . connected = False return True
Stay connected .
31
3
3,002
def a_unexpected_prompt ( ctx ) : prompt = ctx . ctrl . match . group ( 0 ) ctx . msg = "Received the jump host prompt: '{}'" . format ( prompt ) ctx . device . connected = False ctx . finished = True raise ConnectionError ( "Unable to connect to the device." , ctx . ctrl . hostname )
Provide message when received humphost prompt .
86
10
3,003
def a_connection_timeout ( ctx ) : prompt = ctx . ctrl . after ctx . msg = "Received the jump host prompt: '{}'" . format ( prompt ) ctx . device . connected = False ctx . finished = True raise ConnectionTimeoutError ( "Unable to connect to the device." , ctx . ctrl . hostname )
Check the prompt and update the drivers .
80
8
3,004
def a_expected_prompt ( ctx ) : prompt = ctx . ctrl . match . group ( 0 ) ctx . device . update_driver ( prompt ) ctx . device . update_config_mode ( ) ctx . device . update_hostname ( ) ctx . finished = True return True
Update driver config mode and hostname when received an expected prompt .
68
13
3,005
def a_return_and_reconnect ( ctx ) : ctx . ctrl . send ( "\r" ) ctx . device . connect ( ctx . ctrl ) return True
Send new line and reconnect .
41
6
3,006
def a_store_cmd_result ( ctx ) : result = ctx . ctrl . before # check if multi line index = result . find ( '\n' ) if index > 0 : # remove first line result = result [ index + 1 : ] ctx . device . last_command_result = result . replace ( '\r' , '' ) return True
Store the command result for complex state machines .
80
9
3,007
def a_message_callback ( ctx ) : message = ctx . ctrl . after . strip ( ) . splitlines ( ) [ - 1 ] ctx . device . chain . connection . emit_message ( message , log_level = logging . INFO ) return True
Message the captured pattern .
58
5
3,008
def a_capture_show_configuration_failed ( ctx ) : result = ctx . device . send ( "show configuration failed" ) ctx . device . last_command_result = result index = result . find ( "SEMANTIC ERRORS" ) ctx . device . chain . connection . emit_message ( result , log_level = logging . ERROR ) if index > 0 : raise ConfigurationSemanticErrors ( result ) else : raise ConfigurationErrors ( result )
Capture the show configuration failed result .
105
7
3,009
def a_configuration_inconsistency ( ctx ) : ctx . msg = "This SDR's running configuration is inconsistent with persistent configuration. " "No configuration commits for this SDR will be allowed until a 'clear configuration inconsistency' " "command is performed." ctx . device . chain . connection . emit_message ( "Configuration inconsistency." , log_level = logging . ERROR ) ctx . finished = True raise ConfigurationErrors ( "Configuration inconsistency." )
Raise the configuration inconsistency error .
100
7
3,010
def fqdn ( self ) : if self . _fqdn is None : # Let's try to retrieve it: self . _fqdn = socket . getfqdn ( ) if "." not in self . _fqdn : try : info = socket . getaddrinfo ( host = "localhost" , port = None , proto = socket . IPPROTO_TCP ) except socket . gaierror : addr = "127.0.0.1" else : # We only consider the first returned result and we're # only interested in getting the IP(v4 or v6) address: addr = info [ 0 ] [ 4 ] [ 0 ] self . _fqdn = "[{}]" . format ( addr ) return self . _fqdn
Returns the string used to identify the client when initiating a SMTP session .
166
15
3,011
def reset_state ( self ) : self . last_helo_response = ( None , None ) self . last_ehlo_response = ( None , None ) self . supports_esmtp = False self . esmtp_extensions = { } self . auth_mechanisms = [ ] self . ssl_context = False self . reader = None self . writer = None self . transport = None
Resets some attributes to their default values .
89
9
3,012
async def helo ( self , from_host = None ) : if from_host is None : from_host = self . fqdn code , message = await self . do_cmd ( "HELO" , from_host ) self . last_helo_response = ( code , message ) return code , message
Sends a SMTP HELO command . - Identifies the client and starts the session .
70
19
3,013
async def ehlo ( self , from_host = None ) : if from_host is None : from_host = self . fqdn code , message = await self . do_cmd ( "EHLO" , from_host ) self . last_ehlo_response = ( code , message ) extns , auths = SMTP . parse_esmtp_extensions ( message ) self . esmtp_extensions = extns self . auth_mechanisms = auths self . supports_esmtp = True return code , message
Sends a SMTP EHLO command . - Identifies the client and starts the session .
120
20
3,014
async def help ( self , command_name = None ) : if command_name is None : command_name = "" code , message = await self . do_cmd ( "HELP" , command_name ) return message
Sends a SMTP HELP command .
49
8
3,015
async def mail ( self , sender , options = None ) : if options is None : options = [ ] from_addr = "FROM:{}" . format ( quoteaddr ( sender ) ) code , message = await self . do_cmd ( "MAIL" , from_addr , * options ) return code , message
Sends a SMTP MAIL command . - Starts the mail transfer session .
68
16
3,016
async def rcpt ( self , recipient , options = None ) : if options is None : options = [ ] to_addr = "TO:{}" . format ( quoteaddr ( recipient ) ) code , message = await self . do_cmd ( "RCPT" , to_addr , * options ) return code , message
Sends a SMTP RCPT command . - Indicates a recipient for the e - mail .
68
21
3,017
async def quit ( self ) : code = - 1 message = None try : code , message = await self . do_cmd ( "QUIT" ) except ConnectionError : # We voluntarily ignore this kind of exceptions since... the # connection seems already closed. pass except SMTPCommandFailedError : pass await self . close ( ) return code , message
Sends a SMTP QUIT command . - Ends the session .
76
14
3,018
async def data ( self , email_message ) : code , message = await self . do_cmd ( "DATA" , success = ( 354 , ) ) email_message = SMTP . prepare_message ( email_message ) self . writer . write ( email_message ) # write is non-blocking. await self . writer . drain ( ) # don't forget to drain. code , message = await self . reader . read_reply ( ) return code , message
Sends a SMTP DATA command . - Transmits the message to the server .
99
17
3,019
async def auth ( self , username , password ) : # EHLO/HELO is required: await self . ehlo_or_helo_if_needed ( ) errors = [ ] # To store SMTPAuthenticationErrors code = message = None # Try to authenticate using all mechanisms supported by both # server and client (and only these): for auth , meth in self . __class__ . _supported_auth_mechanisms . items ( ) : if auth in self . auth_mechanisms : auth_func = getattr ( self , meth ) try : code , message = await auth_func ( username , password ) except SMTPAuthenticationError as e : errors . append ( e ) else : break else : if not errors : err = "Could not find any suitable authentication mechanism." errors . append ( SMTPAuthenticationError ( - 1 , err ) ) raise SMTPLoginError ( errors ) return code , message
Tries to authenticate user against the SMTP server .
209
12
3,020
async def starttls ( self , context = None ) : if not self . use_aioopenssl : raise BadImplementationError ( "This connection does not use aioopenssl" ) import aioopenssl import OpenSSL await self . ehlo_or_helo_if_needed ( ) if "starttls" not in self . esmtp_extensions : raise SMTPCommandNotSupportedError ( "STARTTLS" ) code , message = await self . do_cmd ( "STARTTLS" , success = ( 220 , ) ) # Don't check for code, do_cmd did it if context is None : context = OpenSSL . SSL . Context ( OpenSSL . SSL . TLSv1_2_METHOD ) await self . transport . starttls ( ssl_context = context ) # RFC 3207: # The client MUST discard any knowledge obtained from # the server, such as the list of SMTP service extensions, # which was not obtained from the TLS negotiation itself. # FIXME: wouldn't it be better to use reset_state here ? # And reset self.reader, self.writer and self.transport just after # Maybe also self.ssl_context ? self . last_ehlo_response = ( None , None ) self . last_helo_response = ( None , None ) self . supports_esmtp = False self . esmtp_extensions = { } self . auth_mechanisms = [ ] return ( code , message )
Upgrades the connection to the SMTP server into TLS mode .
326
13
3,021
async def sendmail ( self , sender , recipients , message , mail_options = None , rcpt_options = None ) : # Make sure `recipients` is a list: if isinstance ( recipients , str ) : recipients = [ recipients ] # Set some defaults values: if mail_options is None : mail_options = [ ] if rcpt_options is None : rcpt_options = [ ] # EHLO or HELO is required: await self . ehlo_or_helo_if_needed ( ) if self . supports_esmtp : if "size" in self . esmtp_extensions : mail_options . append ( "size={}" . format ( len ( message ) ) ) await self . mail ( sender , mail_options ) errors = [ ] for recipient in recipients : try : await self . rcpt ( recipient , rcpt_options ) except SMTPCommandFailedError as e : errors . append ( e ) if len ( recipients ) == len ( errors ) : # The server refused all our recipients: raise SMTPNoRecipientError ( errors ) await self . data ( message ) # If we got here then somebody got our mail: return errors
Performs an entire e - mail transaction .
258
9
3,022
async def _auth_cram_md5 ( self , username , password ) : mechanism = "CRAM-MD5" code , message = await self . do_cmd ( "AUTH" , mechanism , success = ( 334 , ) ) decoded_challenge = base64 . b64decode ( message ) challenge_hash = hmac . new ( key = password . encode ( "utf-8" ) , msg = decoded_challenge , digestmod = "md5" ) hex_hash = challenge_hash . hexdigest ( ) response = "{} {}" . format ( username , hex_hash ) encoded_response = SMTP . b64enc ( response ) try : code , message = await self . do_cmd ( encoded_response , success = ( 235 , 503 ) ) except SMTPCommandFailedError as e : raise SMTPAuthenticationError ( e . code , e . message , mechanism ) return code , message
Performs an authentication attemps using the CRAM - MD5 mechanism .
208
16
3,023
async def _auth_login ( self , username , password ) : mechanism = "LOGIN" code , message = await self . do_cmd ( "AUTH" , mechanism , SMTP . b64enc ( username ) , success = ( 334 , ) ) try : code , message = await self . do_cmd ( SMTP . b64enc ( password ) , success = ( 235 , 503 ) ) except SMTPCommandFailedError as e : raise SMTPAuthenticationError ( e . code , e . message , mechanism ) return code , message
Performs an authentication attempt using the LOGIN mechanism .
122
11
3,024
async def _auth_plain ( self , username , password ) : mechanism = "PLAIN" credentials = "\0{}\0{}" . format ( username , password ) encoded_credentials = SMTP . b64enc ( credentials ) try : code , message = await self . do_cmd ( "AUTH" , mechanism , encoded_credentials , success = ( 235 , 503 ) ) except SMTPCommandFailedError as e : raise SMTPAuthenticationError ( e . code , e . message , mechanism ) return code , message
Performs an authentication attempt using the PLAIN mechanism .
121
11
3,025
def format ( self ) : tag = self . data [ 'tag' ] subtags = tag . split ( '-' ) if len ( subtags ) == 1 : return subtags [ 0 ] formatted_tag = subtags [ 0 ] private_tag = False for i , subtag in enumerate ( subtags [ 1 : ] ) : if len ( subtags [ i ] ) == 1 or private_tag : formatted_tag += '-' + subtag private_tag = True elif len ( subtag ) == 2 : formatted_tag += '-' + subtag . upper ( ) elif len ( subtag ) == 4 : formatted_tag += '-' + subtag . capitalize ( ) else : formatted_tag += '-' + subtag return formatted_tag
Get format according to algorithm defined in RFC 5646 section 2 . 1 . 1 .
163
17
3,026
def ObjectEnum ( ctx ) : return Enum ( ctx , villager_male = 83 , villager_female = 293 , scout_cavalry = 448 , eagle_warrior = 751 , king = 434 , flare = 332 , relic = 285 , turkey = 833 , sheep = 594 , deer = 65 , boar = 48 , iron_boar = 810 , ostrich = 1026 , javelina = 822 , crocodile = 1031 , rhinoceros = 1139 , wolf = 126 , jaguar = 812 , hawk = 96 , macaw = 816 , shore_fish = 69 , fish_1 = 455 , fish_2 = 456 , fish_4 = 458 , fish_3 = 457 , marlin_1 = 450 , marlin_2 = 451 , dolphin = 452 , cactus = 709 , berry_bush = 59 , stone_pile = 102 , gold_pile = 66 , forest_tree = 350 , forest_tree_2 = 411 , snow_pine_tree = 413 , straggler_tree = 349 , tc_1 = 109 , tc_2 = 618 , tc_3 = 619 , tc_4 = 620 , castle = 70 , palisade_wall = 72 , stone_wall = 117 , stone_gate_1 = 64 , stone_gate_2 = 81 , stone_gate_3 = 88 , stone_gate_4 = 95 , palisade_gate_1 = 662 , palisade_gate_2 = 666 , palisade_gate_3 = 670 , palisade_gate_4 = 674 , fortified_wall = 155 , cliff_1 = 264 , cliff_2 = 265 , cliff_3 = 266 , cliff_4 = 267 , cliff_5 = 268 , cliff_6 = 269 , cliff_7 = 270 , cliff_8 = 271 , cliff_9 = 272 , cliff_10 = 273 , outpost = 598 , shipwreck = 722 , map_revealer = 837 , default = Pass )
Object Enumeration .
448
5
3,027
def GameTypeEnum ( ctx ) : return Enum ( ctx , RM = 0 , Regicide = 1 , DM = 2 , Scenario = 3 , Campaign = 4 , KingOfTheHill = 5 , WonderRace = 6 , DefendTheWonder = 7 , TurboRandom = 8 )
Game Type Enumeration .
63
6
3,028
def ObjectTypeEnum ( ctx ) : return Enum ( ctx , static = 10 , animated = 20 , doppelganger = 25 , moving = 30 , action = 40 , base = 50 , missile = 60 , combat = 70 , building = 80 , tree = 90 , default = Pass )
Object Type Enumeration .
64
6
3,029
def PlayerTypeEnum ( ctx ) : return Enum ( ctx , absent = 0 , closed = 1 , human = 2 , eliminated = 3 , computer = 4 , cyborg = 5 , spectator = 6 )
Player Type Enumeration .
46
6
3,030
def ResourceEnum ( ctx ) : return Enum ( ctx , food = 0 , wood = 1 , stone = 2 , gold = 3 , decay = 12 , fish = 17 , default = Pass # lots of resource types exist )
Resource Type Enumeration .
50
6
3,031
def VictoryEnum ( ctx ) : return Enum ( ctx , standard = 0 , conquest = 1 , exploration = 2 , ruins = 3 , artifacts = 4 , discoveries = 5 , gold = 6 , time_limit = 7 , score = 8 , standard2 = 9 , regicide = 10 , last_man = 11 )
Victory Type Enumeration .
70
7
3,032
def StartingAgeEnum ( ctx ) : return Enum ( ctx , what = - 2 , unset = - 1 , dark = 0 , feudal = 1 , castle = 2 , imperial = 3 , postimperial = 4 , dmpostimperial = 6 )
Starting Age Enumeration .
58
6
3,033
def GameActionModeEnum ( ctx ) : return Enum ( ctx , diplomacy = 0 , speed = 1 , instant_build = 2 , quick_build = 4 , allied_victory = 5 , cheat = 6 , unk0 = 9 , spy = 10 , unk1 = 11 , farm_queue = 13 , farm_unqueue = 14 , default = Pass )
Game Action Modes .
82
4
3,034
def ReleaseTypeEnum ( ctx ) : return Enum ( ctx , all = 0 , selected = 3 , sametype = 4 , notselected = 5 , inversetype = 6 , default = Pass )
Types of Releases .
47
4
3,035
def MyDiplomacyEnum ( ctx ) : return Enum ( ctx , gaia = 0 , self = 1 , ally = 2 , neutral = 3 , enemy = 4 , invalid_player = - 1 )
Player s Diplomacy Enumeration .
47
8
3,036
def ActionEnum ( ctx ) : return Enum ( ctx , interact = 0 , stop = 1 , ai_interact = 2 , move = 3 , add_attribute = 5 , give_attribute = 6 , ai_move = 10 , resign = 11 , spec = 15 , waypoint = 16 , stance = 18 , guard = 19 , follow = 20 , patrol = 21 , formation = 23 , save = 27 , ai_waypoint = 31 , chapter = 32 , ai_command = 53 , ai_queue = 100 , research = 101 , build = 102 , game = 103 , wall = 105 , delete = 106 , attackground = 107 , tribute = 108 , repair = 110 , release = 111 , multiqueue = 112 , togglegate = 114 , flare = 115 , order = 117 , queue = 119 , gatherpoint = 120 , sell = 122 , buy = 123 , droprelic = 126 , townbell = 127 , backtowork = 128 , postgame = 255 , default = Pass )
Action Enumeration .
219
5
3,037
def newKernel ( self , nb ) : manager , kernel = utils . start_new_kernel ( kernel_name = nb . metadata . kernelspec . name ) return kernel
generate a new kernel
40
5
3,038
def configure ( self , options , conf ) : super ( Nosebook , self ) . configure ( options , conf ) self . testMatch = re . compile ( options . nosebookTestMatch ) . match self . testMatchCell = re . compile ( options . nosebookTestMatchCell ) . match scrubs = [ ] if options . nosebookScrub : try : scrubs = json . loads ( options . nosebookScrub ) except Exception : scrubs = [ options . nosebookScrub ] if isstr ( scrubs ) : scrubs = { scrubs : "<...>" } elif not isinstance ( scrubs , dict ) : scrubs = dict ( [ ( scrub , "<...%s>" % i ) for i , scrub in enumerate ( scrubs ) ] ) self . scrubMatch = { re . compile ( scrub ) : sub for scrub , sub in scrubs . items ( ) }
apply configured options
192
3
3,039
def wantFile ( self , filename ) : log . info ( "considering %s" , filename ) if self . testMatch ( filename ) is None : return False nb = self . readnb ( filename ) for cell in self . codeCells ( nb ) : return True log . info ( "no `code` cells in %s" , filename ) return False
filter files to those that match nosebook - match
79
10
3,040
def create_connection ( cls , address , timeout = None , source_address = None ) : sock = socket . create_connection ( address , timeout , source_address ) return cls ( sock )
Create a SlipSocket connection .
43
6
3,041
def send_msg ( self , message ) : packet = self . driver . send ( message ) self . send_bytes ( packet )
Send a SLIP - encoded message over the stream .
28
11
3,042
def recv_msg ( self ) : # First check if there are any pending messages if self . _messages : return self . _messages . popleft ( ) # No pending messages left. If a ProtocolError has occurred # it must be re-raised here: if self . _protocol_error : self . _handle_pending_protocol_error ( ) while not self . _messages and not self . _stream_closed : # As long as no messages are available, # flush the internal packet buffer, # and try to read data try : if self . _flush_needed : self . _flush_needed = False self . _messages . extend ( self . driver . flush ( ) ) else : data = self . recv_bytes ( ) if data == b'' : self . _stream_closed = True self . _messages . extend ( self . driver . receive ( data ) ) except ProtocolError as pe : self . _messages . extend ( self . driver . messages ) self . _protocol_error = pe self . _traceback = sys . exc_info ( ) [ 2 ] break if self . _messages : return self . _messages . popleft ( ) if self . _protocol_error : self . _handle_pending_protocol_error ( ) else : return b''
Receive a single message from the stream .
289
9
3,043
def finalize ( self ) : self . pause_session_logging ( ) self . _disable_logging ( ) self . _msg_callback = None self . _error_msg_callback = None self . _warning_msg_callback = None self . _info_msg_callback = None
Clean up the object .
64
5
3,044
def _chain_indices ( self ) : chain_indices = deque ( range ( len ( self . connection_chains ) ) ) chain_indices . rotate ( self . _last_chain_index ) return chain_indices
Get the deque of chain indices starting with last successful index .
51
13
3,045
def resume_session_logging ( self ) : self . _chain . ctrl . set_session_log ( self . session_fd ) self . log ( "Session logging resumed" )
Resume session logging .
41
5
3,046
def rollback ( self , label = None , plane = 'sdr' ) : begin = time . time ( ) rb_label = self . _chain . target_device . rollback ( label = label , plane = plane ) elapsed = time . time ( ) - begin if label : self . emit_message ( "Configuration rollback last {:.0f}s. Label: {}" . format ( elapsed , rb_label ) , log_level = logging . INFO ) else : self . emit_message ( "Configuration failed." , log_level = logging . WARNING ) return rb_label
Rollback the configuration .
129
5
3,047
def discovery ( self , logfile = None , tracefile = None ) : self . _enable_logging ( logfile = logfile , tracefile = tracefile ) self . log ( "'discovery' method is deprecated. Please 'connect' with force_discovery=True." ) self . log ( "Device discovery process started" ) self . connect ( logfile = logfile , force_discovery = True , tracefile = tracefile ) self . disconnect ( )
Discover the device details .
100
5
3,048
def reload ( self , reload_timeout = 300 , save_config = True , no_reload_cmd = False ) : begin = time . time ( ) self . _chain . target_device . clear_info ( ) result = False try : result = self . _chain . target_device . reload ( reload_timeout , save_config , no_reload_cmd ) except ConnectionStandbyConsole as exc : message = exc . message self . log ( "Active RP became standby: {}" . format ( message ) ) self . disconnect ( ) # self._conn_status.clear() result = self . reconnect ( ) # connection error caused by device booting up except ConnectionError as exc : message = exc . message self . log ( "Connection error: {}" . format ( message ) ) self . disconnect ( ) result = self . reconnect ( ) if result : elapsed = time . time ( ) - begin self . emit_message ( "Target device reload last {:.0f}s." . format ( elapsed ) , log_level = logging . INFO ) else : self . emit_message ( "Target device not reloaded." , log_level = logging . ERROR ) return result
Reload the device and wait for device to boot up .
251
12
3,049
def run_fsm ( self , name , command , events , transitions , timeout , max_transitions = 20 ) : return self . _chain . target_device . run_fsm ( name , command , events , transitions , timeout , max_transitions )
Instantiate and run the Finite State Machine for the current device connection .
56
15
3,050
def emit_message ( self , message , log_level ) : self . log ( message ) if log_level == logging . ERROR : if self . _error_msg_callback : self . _error_msg_callback ( message ) return if log_level == logging . WARNING : if self . _warning_msg_callback : self . _warning_msg_callback ( message ) return if log_level == logging . INFO : if self . _info_msg_callback : self . _info_msg_callback ( message ) return if self . _msg_callback : self . _msg_callback ( message )
Call the msg callback function with the message .
130
9
3,051
def msg_callback ( self , callback ) : if callable ( callback ) : self . _msg_callback = callback else : self . _msg_callback = None
Set the message callback .
35
5
3,052
def error_msg_callback ( self , callback ) : if callable ( callback ) : self . _error_msg_callback = callback else : self . _error_msg_callback = None
Set the error message callback .
41
6
3,053
def warning_msg_callback ( self , callback ) : if callable ( callback ) : self . _warning_msg_callback = callback else : self . _warning_msg_callback = None
Set the warning message callback .
41
6
3,054
def info_msg_callback ( self , callback ) : if callable ( callback ) : self . _info_msg_callback = callback else : self . _info_msg_callback = None
Set the info message callback .
41
6
3,055
def _get_view_details ( self , urlpatterns , parent = '' ) : for pattern in urlpatterns : if isinstance ( pattern , ( URLPattern , RegexURLPattern ) ) : try : d = describe_pattern ( pattern ) docstr = pattern . callback . __doc__ method = None expected_json_response = '' expected_url = '' if docstr : # Get expected URL u = re . findall ( r'URL: (.*)' , docstr , flags = re . DOTALL ) if u : expected_url = u [ 0 ] # Get all possible methods if 'view_class' not in dir ( pattern . callback ) : continue possible_methods = [ m for m in dir ( pattern . callback . view_class ) if m in METHODS ] for method in possible_methods : view_method_docstr = getattr ( pattern . callback . view_class , method ) . __doc__ if view_method_docstr : # Check if method is modifier if method in [ 'put' , 'patch' , 'delete' ] : self . url_details . append ( { 'url' : expected_url , 'method' : method } ) continue # Extract request method and JSON response from docstring of request method j = re . findall ( r'```(.*)```' , view_method_docstr , flags = re . DOTALL ) if j is not None : for match in j : expected_json_response = match . strip ( ) # Only add the details if all 3 values are filled if method is not None and expected_json_response and expected_url : self . url_details . append ( { 'url' : expected_url , 'method' : method , 'response' : expected_json_response } ) continue except ViewDoesNotExist : pass elif isinstance ( pattern , ( URLResolver , RegexURLResolver ) ) : try : patterns = pattern . url_patterns except ImportError : continue d = describe_pattern ( pattern ) current_full_url = parent + d self . _get_view_details ( patterns , current_full_url )
Recursive function to extract all url details
464
8
3,056
def for_each_child ( node , callback ) : for name in node . _fields : value = getattr ( node , name ) if isinstance ( value , list ) : for item in value : if isinstance ( item , ast . AST ) : callback ( item ) elif isinstance ( value , ast . AST ) : callback ( value )
Calls the callback for each AST node that s a child of the given node .
74
17
3,057
def resolve_frompath ( pkgpath , relpath , level = 0 ) : if level == 0 : return relpath parts = pkgpath . split ( '.' ) + [ '_' ] parts = parts [ : - level ] + ( relpath . split ( '.' ) if relpath else [ ] ) return '.' . join ( parts )
Resolves the path of the module referred to by from .. x import y .
76
16
3,058
def find_module ( modpath ) : module_path = modpath . replace ( '.' , '/' ) + '.py' init_path = modpath . replace ( '.' , '/' ) + '/__init__.py' for root_path in sys . path : path = os . path . join ( root_path , module_path ) if os . path . isfile ( path ) : return path path = os . path . join ( root_path , init_path ) if os . path . isfile ( path ) : return path
Determines whether a module exists with the given modpath .
118
13
3,059
def add ( self , modpath , name , origin ) : self . map . setdefault ( modpath , { } ) . setdefault ( name , set ( ) ) . add ( origin )
Adds a possible origin for the given name in the given module .
41
13
3,060
def add_package_origins ( self , modpath ) : parts = modpath . split ( '.' ) parent = parts [ 0 ] for part in parts [ 1 : ] : child = parent + '.' + part if self . find_module ( child ) : self . add ( parent , part , child ) parent = child
Whenever you import a . b . c Python automatically binds b in a to the a . b module and binds c in a . b to the a . b . c module .
70
36
3,061
def scan_module ( self , pkgpath , modpath , node ) : def scan_imports ( node ) : if node_type ( node ) == 'Import' : for binding in node . names : name , asname = binding . name , binding . asname if asname : self . add ( modpath , asname , name ) else : top_name = name . split ( '.' ) [ 0 ] self . add ( modpath , top_name , top_name ) self . add_package_origins ( name ) elif node_type ( node ) == 'ImportFrom' : frompath = resolve_frompath ( pkgpath , node . module , node . level ) for binding in node . names : name , asname = binding . name , binding . asname if name == '*' : for name in self . get_star_names ( frompath ) : self . add ( modpath , name , frompath + '.' + name ) self . add_package_origins ( frompath ) else : self . add ( modpath , asname or name , frompath + '.' + name ) self . add_package_origins ( frompath + '.' + name ) else : for_each_child ( node , scan_imports ) for_each_child ( node , scan_imports )
Scans a module collecting possible origins for all names assuming names can only become bound to values in other modules by import .
288
24
3,062
def get_origins ( self , modpath , name ) : return self . map . get ( modpath , { } ) . get ( name , set ( ) )
Returns the set of possible origins for a name in a module .
36
13
3,063
def dump ( self ) : for modpath in sorted ( self . map ) : title = 'Imports in %s' % modpath print ( '\n' + title + '\n' + '-' * len ( title ) ) for name , value in sorted ( self . map . get ( modpath , { } ) . items ( ) ) : print ( ' %s -> %s' % ( name , ', ' . join ( sorted ( value ) ) ) )
Prints out the contents of the import map .
101
10
3,064
def scan_module ( self , modpath , node ) : used_origins = self . map . setdefault ( modpath , set ( ) ) def get_origins ( modpath , name ) : """Returns the chain of all origins for a given name in a module.""" origins = set ( ) def walk_origins ( modpath , name ) : for origin in self . import_map . get_origins ( modpath , name ) : if origin not in origins : origins . add ( origin ) if '.' in origin : walk_origins ( * origin . rsplit ( '.' , 1 ) ) walk_origins ( modpath , name ) return origins def get_origins_for_node ( node ) : """Returns the set of all possible origins to which the given dotted-path expression might dereference.""" if node_type ( node ) == 'Name' and node_type ( node . ctx ) == 'Load' : return { modpath + '.' + node . id } | get_origins ( modpath , node . id ) if node_type ( node ) == 'Attribute' and node_type ( node . ctx ) == 'Load' : return set . union ( set ( ) , * [ { parent + '.' + node . attr } | get_origins ( parent , node . attr ) for parent in get_origins_for_node ( node . value ) ] ) return set ( ) def get_origins_used_by_node ( node ) : """Returns the set of all possible origins that could be used during dereferencing of the given dotted-path expression.""" if node_type ( node ) == 'Name' : return get_origins_for_node ( node ) if node_type ( node ) == 'Attribute' : return set . union ( get_origins_used_by_node ( node . value ) , get_origins_for_node ( node ) ) return set ( ) def scan_loads ( node ) : if node_type ( node ) in [ 'Name' , 'Attribute' ] : used_origins . update ( get_origins_used_by_node ( node ) ) for_each_child ( node , scan_loads ) for_each_child ( node , scan_loads ) intermediate_origins = set ( ) for origin in used_origins : parts = origin . split ( '.' ) for i in range ( 1 , len ( parts ) ) : intermediate_origins . add ( '.' . join ( parts [ : i ] ) ) used_origins . update ( intermediate_origins )
Scans a module collecting all used origins assuming that modules are obtained only by dotted paths and no other kinds of expressions .
566
24
3,065
def dump ( self ) : for modpath in sorted ( self . map ) : title = 'Used by %s' % modpath print ( '\n' + title + '\n' + '-' * len ( title ) ) for origin in sorted ( self . get_used_origins ( modpath ) ) : print ( ' %s' % origin )
Prints out the contents of the usage map .
78
10
3,066
def convert_to_timestamp ( time ) : if time == - 1 : return None time = int ( time * 1000 ) hour = time // 1000 // 3600 minute = ( time // 1000 // 60 ) % 60 second = ( time // 1000 ) % 60 return str ( hour ) . zfill ( 2 ) + ":" + str ( minute ) . zfill ( 2 ) + ":" + str ( second ) . zfill ( 2 )
Convert int to timestamp string .
94
7
3,067
def _parse ( self , stream , context , path ) : length = self . length ( context ) new_stream = BytesIO ( construct . core . _read_stream ( stream , length ) ) return self . subcon . _parse ( new_stream , context , path )
Parse tunnel .
60
4
3,068
def _parse ( self , stream , context , path ) : start = stream . tell ( ) read_bytes = "" if self . max_length : read_bytes = stream . read ( self . max_length ) else : read_bytes = stream . read ( ) skip = read_bytes . find ( self . find ) + len ( self . find ) stream . seek ( start + skip ) return skip
Parse stream to find a given byte string .
86
10
3,069
def _parse ( self , stream , context , path ) : objs = [ ] while True : start = stream . tell ( ) test = stream . read ( len ( self . find ) ) stream . seek ( start ) if test == self . find : break else : subobj = self . subcon . _parse ( stream , context , path ) objs . append ( subobj ) return objs
Parse until a given byte string is found .
85
10
3,070
def _parse ( self , stream , context , path ) : num_players = context . _ . _ . _ . replay . num_players start = stream . tell ( ) # Have to read everything to be able to use find() read_bytes = stream . read ( ) # Try to find the first marker, a portion of the next player structure marker_up14 = read_bytes . find ( b"\x16\xc6\x00\x00\x00\x21" ) marker_up15 = read_bytes . find ( b"\x16\xf0\x00\x00\x00\x21" ) marker = - 1 if marker_up14 > 0 and marker_up15 < 0 : marker = marker_up14 elif marker_up15 > 0 and marker_up14 < 0 : marker = marker_up15 # If it exists, we're not on the last player yet if marker > 0 : # Backtrack through the player name count = 0 while struct . unpack ( "<H" , read_bytes [ marker - 2 : marker ] ) [ 0 ] != count : marker -= 1 count += 1 # Backtrack through the rest of the next player structure backtrack = 43 + num_players # Otherwise, this is the last player else : # Search for the scenario header marker = read_bytes . find ( b"\xf6\x28\x9c\x3f" ) # Backtrack through the achievements and initial structure footer backtrack = ( ( 1817 * ( num_players - 1 ) ) + 4 + 19 ) # Seek to the position we found end = start + marker - backtrack stream . seek ( end ) return end
Parse until the end of objects data .
363
9
3,071
def rollback ( self , label , plane ) : cm_label = 'condoor-{}' . format ( int ( time . time ( ) ) ) self . device . send ( self . rollback_cmd . format ( label ) , timeout = 120 ) return cm_label
Rollback config .
60
4
3,072
def start ( builtins = False , profile_threads = True ) : # TODO: what about builtins False or profile_threads False? _vendorized_yappi . yappi . set_context_id_callback ( lambda : greenlet and id ( greenlet . getcurrent ( ) ) or 0 ) _vendorized_yappi . yappi . set_context_name_callback ( lambda : greenlet and greenlet . getcurrent ( ) . __class__ . __name__ or '' ) _vendorized_yappi . yappi . start ( builtins , profile_threads )
Starts profiling all threads and all greenlets .
138
10
3,073
def connect ( self , driver ) : # 0 1 2 3 events = [ ESCAPE_CHAR , driver . press_return_re , driver . standby_re , driver . username_re , # 4 5 6 7 driver . password_re , driver . more_re , self . device . prompt_re , driver . rommon_re , # 8 9 10 11 12 driver . unable_to_connect_re , driver . timeout_re , pexpect . TIMEOUT , PASSWORD_OK , driver . syntax_error_re ] transitions = [ ( ESCAPE_CHAR , [ 0 ] , 1 , None , _C [ 'esc_char_timeout' ] ) , ( driver . syntax_error_re , [ 0 ] , - 1 , CommandSyntaxError ( "Command syntax error" ) , 0 ) , ( driver . press_return_re , [ 0 , 1 ] , 1 , a_send_newline , 10 ) , ( PASSWORD_OK , [ 0 , 1 ] , 1 , a_send_newline , 10 ) , ( driver . standby_re , [ 0 , 5 ] , - 1 , partial ( a_standby_console ) , 0 ) , ( driver . username_re , [ 0 , 1 , 5 , 6 ] , - 1 , partial ( a_save_last_pattern , self ) , 0 ) , ( driver . password_re , [ 0 , 1 , 5 ] , - 1 , partial ( a_save_last_pattern , self ) , 0 ) , ( driver . more_re , [ 0 , 5 ] , 7 , partial ( a_send , "q" ) , 10 ) , # router sends it again to delete ( driver . more_re , [ 7 ] , 8 , None , 10 ) , # (prompt, [0, 1, 5], 6, a_send_newline, 10), ( self . device . prompt_re , [ 0 , 1 , 5 ] , 0 , None , 10 ) , ( self . device . prompt_re , [ 6 , 8 , 5 ] , - 1 , partial ( a_save_last_pattern , self ) , 0 ) , ( driver . rommon_re , [ 0 , 1 , 5 ] , - 1 , partial ( a_save_last_pattern , self ) , 0 ) , ( driver . unable_to_connect_re , [ 0 , 1 , 5 ] , - 1 , a_unable_to_connect , 0 ) , ( driver . timeout_re , [ 0 , 1 , 5 ] , - 1 , ConnectionTimeoutError ( "Connection Timeout" , self . hostname ) , 0 ) , ( pexpect . TIMEOUT , [ 0 , 1 ] , 5 , a_send_newline , 10 ) , ( pexpect . TIMEOUT , [ 5 ] , - 1 , ConnectionTimeoutError ( "Connection timeout" , self . hostname ) , 0 ) ] self . log ( "EXPECTED_PROMPT={}" . format ( pattern_to_str ( self . device . prompt_re ) ) ) # setting max_transitions to large number to swallow prompt like strings from prompt fsm = FSM ( "TELNET-CONNECT" , self . device , events , transitions , timeout = _C [ 'connect_timeout' ] , init_pattern = self . last_pattern , max_transitions = 500 ) return fsm . run ( )
Connect using the Telnet protocol specific FSM .
740
10
3,074
def disconnect ( self , driver ) : self . log ( "TELNETCONSOLE disconnect" ) try : while self . device . mode != 'global' : self . device . send ( 'exit' , timeout = 10 ) except OSError : self . log ( "TELNETCONSOLE already disconnected" ) except pexpect . TIMEOUT : self . log ( "TELNETCONSOLE unable to get the root prompt" ) try : self . device . ctrl . send ( chr ( 4 ) ) except OSError : self . log ( "TELNETCONSOLE already disconnected" )
Disconnect from the console .
135
6
3,075
def _calculate_apm ( index , player_actions , other_actions , duration ) : apm_per_player = { } for player_index , histogram in player_actions . items ( ) : apm_per_player [ player_index ] = sum ( histogram . values ( ) ) total_unattributed = sum ( other_actions . values ( ) ) total_attributed = sum ( apm_per_player . values ( ) ) player_proportion = apm_per_player [ index ] / total_attributed player_unattributed = total_unattributed * player_proportion apm = ( apm_per_player [ index ] + player_unattributed ) / ( duration / 60 ) return int ( apm )
Calculate player s rAPM .
169
9
3,076
def guess_finished ( summary , postgame ) : if postgame and postgame . complete : return True for player in summary [ 'players' ] : if 'resign' in player [ 'action_histogram' ] : return True return False
Sometimes a game is finished but not recorded as such .
52
11
3,077
def _num_players ( self ) : self . _player_num = 0 self . _computer_num = 0 for player in self . _header . scenario . game_settings . player_info : if player . type == 'human' : self . _player_num += 1 elif player . type == 'computer' : self . _computer_num += 1
Compute number of players both human and computer .
78
10
3,078
def _parse_lobby_chat ( self , messages , source , timestamp ) : for message in messages : if message . message_length == 0 : continue chat = ChatMessage ( message . message , timestamp , self . _players ( ) , source = source ) self . _parse_chat ( chat )
Parse a lobby chat message .
64
7
3,079
def _parse_action ( self , action , current_time ) : if action . action_type == 'research' : name = mgz . const . TECHNOLOGIES [ action . data . technology_type ] self . _research [ action . data . player_id ] . append ( { 'technology' : name , 'timestamp' : _timestamp_to_time ( action . timestamp ) } ) elif action . action_type == 'build' : self . _build [ action . data . player_id ] . append ( { 'building' : mgz . const . UNITS [ action . data . building_type ] , 'timestamp' : _timestamp_to_time ( current_time ) , 'coordinates' : { 'x' : action . data . x , 'y' : action . data . y } } ) elif action . action_type == 'queue' : for _ in range ( 0 , int ( action . data . number ) ) : self . _queue . append ( { 'unit' : mgz . const . UNITS [ action . data . unit_type ] , 'timestamp' : _timestamp_to_time ( current_time ) } )
Parse a player action .
261
6
3,080
def operations ( self , op_types = None ) : if not op_types : op_types = [ 'message' , 'action' , 'sync' , 'viewlock' , 'savedchapter' ] while self . _handle . tell ( ) < self . _eof : current_time = mgz . util . convert_to_timestamp ( self . _time / 1000 ) try : operation = mgz . body . operation . parse_stream ( self . _handle ) except ( ConstructError , ValueError ) : raise MgzError ( 'failed to parse body operation' ) if operation . type == 'action' : if operation . action . type in ACTIONS_WITH_PLAYER_ID : counter = self . _actions_by_player [ operation . action . player_id ] counter . update ( [ operation . action . type ] ) else : self . _actions_without_player . update ( [ operation . action . type ] ) if operation . type == 'action' and isinstance ( operation . action . type , int ) : print ( operation . action ) if operation . type == 'sync' : self . _time += operation . time_increment if operation . type == 'action' and operation . action . type == 'postgame' : self . _postgame = operation if operation . type == 'action' : action = Action ( operation , current_time ) self . _parse_action ( action , current_time ) if operation . type == 'savedchapter' : # fix: Don't load messages we already saw in header or prev saved chapters self . _parse_lobby_chat ( operation . lobby . messages , 'save' , current_time ) if operation . type == 'viewlock' : if operation . type in op_types : yield Viewlock ( operation ) elif operation . type == 'action' and operation . action . type != 'postgame' : if operation . type in op_types : yield Action ( operation , current_time ) elif ( ( operation . type == 'message' or operation . type == 'embedded' ) and operation . subtype == 'chat' ) : chat = ChatMessage ( operation . data . text , current_time , self . _players ( ) , self . _diplomacy [ 'type' ] , 'game' ) self . _parse_chat ( chat ) if operation . type in op_types : yield chat
Process operation stream .
516
4
3,081
def summarize ( self ) : if not self . _achievements_summarized : for _ in self . operations ( ) : pass self . _summarize ( ) return self . _summary
Summarize game .
42
5
3,082
def is_nomad ( self ) : nomad = self . _header . initial . restore_time == 0 or None for i in range ( 1 , self . _header . replay . num_players ) : for obj in self . _header . initial . players [ i ] . objects : if obj . type == 'building' and obj . object_type == 'tc_1' : return False return nomad
Is this game nomad .
88
6
3,083
def is_regicide ( self ) : for i in range ( 1 , self . _header . replay . num_players ) : for obj in self . _header . initial . players [ i ] . objects : if obj . type == 'unit' and obj . object_type == 'king' : return True return False
Is this game regicide .
68
6
3,084
def _parse_chat ( self , chat ) : if chat . data [ 'type' ] == 'chat' : if chat . data [ 'player' ] in [ p . player_name for i , p in self . _players ( ) ] : self . _chat . append ( chat . data ) elif chat . data [ 'type' ] == 'ladder' : self . _ladder = chat . data [ 'ladder' ] elif chat . data [ 'type' ] == 'rating' : if chat . data [ 'rating' ] != 1600 : self . _ratings [ chat . data [ 'player' ] ] = chat . data [ 'rating' ]
Parse a chat message .
147
6
3,085
def _compass_position ( self , player_x , player_y ) : map_dim = self . _map . size_x third = map_dim * ( 1 / 3.0 ) for direction in mgz . const . COMPASS : point = mgz . const . COMPASS [ direction ] xlower = point [ 0 ] * map_dim xupper = ( point [ 0 ] * map_dim ) + third ylower = point [ 1 ] * map_dim yupper = ( point [ 1 ] * map_dim ) + third if ( player_x >= xlower and player_x < xupper and player_y >= ylower and player_y < yupper ) : return direction
Get compass position of player .
151
6
3,086
def _players ( self ) : for i in range ( 1 , self . _header . replay . num_players ) : yield i , self . _header . initial . players [ i ] . attributes
Get player attributes with index . No Gaia .
42
9
3,087
def players ( self , postgame , game_type ) : for i , attributes in self . _players ( ) : yield self . _parse_player ( i , attributes , postgame , game_type )
Return parsed players .
44
4
3,088
def _won_in ( self ) : if not self . _summary [ 'finished' ] : return starting_age = self . _summary [ 'settings' ] [ 'starting_age' ] . lower ( ) if starting_age == 'post imperial' : starting_age = 'imperial' ages_reached = set ( [ starting_age ] ) for player in self . _summary [ 'players' ] : for age , reached in player [ 'ages' ] . items ( ) : if reached : ages_reached . add ( age ) ages = [ 'imperial' , 'castle' , 'feudal' , 'dark' ] for age in ages : if age in ages_reached : return age
Get age the game was won in .
155
8
3,089
def _rec_owner_number ( self ) : player = self . _header . initial . players [ self . _header . replay . rec_player ] return player . attributes . player_color + 1
Get rec owner number .
43
5
3,090
def _get_timestamp ( self ) : filename_date = _find_date ( os . path . basename ( self . _path ) ) if filename_date : return filename_date
Get modification timestamp from rec file .
41
7
3,091
def _set_winning_team ( self ) : if not self . _summary [ 'finished' ] : return for team in self . _summary [ 'diplomacy' ] [ 'teams' ] : team [ 'winner' ] = False for player_number in team [ 'player_numbers' ] : for player in self . _summary [ 'players' ] : if player_number == player [ 'number' ] : if player [ 'winner' ] : team [ 'winner' ] = True
Mark the winning team .
109
5
3,092
def _map_hash ( self ) : elevation_bytes = bytes ( [ tile . elevation for tile in self . _header . map_info . tile ] ) map_name_bytes = self . _map . name ( ) . encode ( ) player_bytes = b'' for _ , attributes in self . _players ( ) : player_bytes += ( mgz . const . PLAYER_COLORS [ attributes . player_color ] . encode ( ) + attributes . player_name . encode ( ) + mgz . const . CIVILIZATION_NAMES [ attributes . civilization ] . encode ( ) ) return hashlib . sha1 ( elevation_bytes + map_name_bytes + player_bytes ) . hexdigest ( )
Compute a map hash based on a combination of map attributes .
158
13
3,093
def device_info ( self ) : return { 'family' : self . family , 'platform' : self . platform , 'os_type' : self . os_type , 'os_version' : self . os_version , 'udi' : self . udi , # TODO(klstanie): add property to make driver automatically 'driver_name' : self . driver . platform , 'mode' : self . mode , 'is_console' : self . is_console , 'is_target' : self . is_target , # 'prompt': self.driver.base_prompt(self.prompt), 'hostname' : self . hostname , }
Return device info dict .
147
5
3,094
def clear_info ( self ) : self . _version_text = None self . _inventory_text = None self . _users_text = None self . os_version = None self . os_type = None self . family = None self . platform = None self . udi = None # self.is_console = None self . prompt = None self . prompt_re = None
Clear the device info .
82
5
3,095
def disconnect ( self ) : self . chain . connection . log ( "Disconnecting: {}" . format ( self ) ) if self . connected : if self . protocol : if self . is_console : while self . mode != 'global' : try : self . send ( 'exit' , timeout = 10 ) except CommandTimeoutError : break self . protocol . disconnect ( self . driver ) self . protocol = None self . connected = False self . ctrl = None
Disconnect the device .
99
5
3,096
def make_driver ( self , driver_name = 'generic' ) : module_str = 'condoor.drivers.%s' % driver_name try : __import__ ( module_str ) module = sys . modules [ module_str ] driver_class = getattr ( module , 'Driver' ) except ImportError as e : # pylint: disable=invalid-name print ( "driver name: {}" . format ( driver_name ) ) self . chain . connection . log ( "Import error: {}: '{}'" . format ( driver_name , str ( e ) ) ) # no driver - call again with default 'generic' return self . make_driver ( ) self . chain . connection . log ( "Make Device: {} with Driver: {}" . format ( self , driver_class . platform ) ) return driver_class ( self )
Make driver factory function .
186
5
3,097
def version_text ( self ) : if self . _version_text is None : self . chain . connection . log ( "Collecting version information" ) self . _version_text = self . driver . get_version_text ( ) if self . _version_text : self . chain . connection . log ( "Version info collected" ) else : self . chain . connection . log ( "Version info not collected" ) return self . _version_text
Return version text and collect if not collected .
97
9
3,098
def hostname_text ( self ) : if self . _hostname_text is None : self . chain . connection . log ( "Collecting hostname information" ) self . _hostname_text = self . driver . get_hostname_text ( ) if self . _hostname_text : self . chain . connection . log ( "Hostname info collected" ) else : self . chain . connection . log ( "Hostname info not collected" ) return self . _hostname_text
Return hostname text and collect if not collected .
106
10
3,099
def inventory_text ( self ) : if self . _inventory_text is None : self . chain . connection . log ( "Collecting inventory information" ) self . _inventory_text = self . driver . get_inventory_text ( ) if self . _inventory_text : self . chain . connection . log ( "Inventory info collected" ) else : self . chain . connection . log ( "Inventory info not collected" ) return self . _inventory_text
Return inventory information and collect if not available .
99
9