idx
int64
0
63k
question
stringlengths
53
5.28k
target
stringlengths
5
805
61,600
def stop ( self , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( 'stop' , container , instances = instances , map_name = map_name , ** kwargs )
Stops instances for a container configuration .
61,601
def remove ( self , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( 'remove' , container , instances = instances , map_name = map_name , ** kwargs )
Remove instances from a container configuration .
61,602
def startup ( self , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( 'startup' , container , instances = instances , map_name = map_name , ** kwargs )
Start up container instances from a container configuration . Typically this means creating and starting containers and their dependencies . Note that not all policy classes necessarily implement this method .
61,603
def shutdown ( self , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( 'shutdown' , container , instances = instances , map_name = map_name , ** kwargs )
Shut down container instances from a container configuration . Typically this means stopping and removing containers . Note that not all policy classes necessarily implement this method .
61,604
def update ( self , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( 'update' , container , instances = instances , map_name = map_name , ** kwargs )
Updates instances from a container configuration . Typically this means restarting or recreating containers based on detected changes in the configuration or environment . Note that not all policy classes necessarily implement this method .
61,605
def call ( self , action_name , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( action_name , container , instances = instances , map_name = map_name , ** kwargs )
Generic function for running container actions based on a policy .
61,606
def pull_images ( self , container , instances = None , map_name = None , ** kwargs ) : return self . run_actions ( 'pull_images' , container , map_name = map_name , ** kwargs )
Pulls images for container configurations along their dependency path .
61,607
def list_persistent_containers ( self , map_name = None ) : if map_name : maps = [ self . _maps [ map_name ] . get_extended_map ( ) ] else : maps = [ m . get_extended_map ( ) for m in self . _maps . values ( ) ] cname_func = self . policy_class . cname aname_func = self . policy_class . aname c_names = [ ] for c_map in maps : m_name = c_map . name attached , persistent = c_map . get_persistent_items ( ) if c_map . use_attached_parent_name : c_names . extend ( [ aname_func ( m_name , ca , c_name ) for c_name , ca in attached ] ) else : c_names . extend ( [ aname_func ( m_name , ca [ 1 ] ) for ca in attached ] ) c_names . extend ( [ cname_func ( m_name , c_name , ci ) for c_name , ci in persistent ] ) return c_names
Lists the names of all persistent containers on the specified map or all maps . Attached containers are always considered persistent .
61,608
def rest ( f ) : @ wraps ( f ) def wrapper ( * args , ** kwargs ) : ret = f ( * args , ** kwargs ) if ret is None : response = '' , 204 elif isinstance ( ret , current_app . response_class ) : response = ret elif isinstance ( ret , tuple ) : if isinstance ( ret [ 1 ] , basestring ) : response = jsonify ( msg = ret [ 1 ] ) else : response = jsonify ( ** ret [ 1 ] ) response . status_code = ret [ 0 ] else : response = jsonify ( ** ret ) return response return wrapper
Decorator for simple REST endpoints .
61,609
def login ( self , action , registry , ** kwargs ) : log . info ( "Logging into registry %s." , registry ) login_kwargs = { 'registry' : registry } auth_config = action . client_config . auth_configs . get ( registry ) if auth_config : log . debug ( "Registry auth config for %s found." , registry ) login_kwargs . update ( auth_config ) insecure_registry = kwargs . get ( 'insecure_registry' ) if insecure_registry is not None : login_kwargs [ 'insecure_registry' ] = insecure_registry else : raise KeyError ( "No login information found for registry." , registry ) update_kwargs ( login_kwargs , kwargs ) res = action . client . login ( ** login_kwargs ) if res : log . debug ( "User %(username)s logged into %(registry)s." , login_kwargs ) self . _login_registries . add ( registry ) return res
Logs in to a Docker registry .
61,610
def pull ( self , action , image_name , ** kwargs ) : config_id = action . config_id registry , __ , image = config_id . config_name . rpartition ( '/' ) if registry and '.' in registry and registry not in self . _login_registries : self . login ( action , registry , insecure_registry = kwargs . get ( 'insecure_registry' ) ) log . info ( "Pulling image %s:%s." , config_id . config_name , config_id . instance_name ) res = action . client . pull ( repository = config_id . config_name , tag = config_id . instance_name , ** kwargs ) log . debug ( "Done pulling image %s:%s." , config_id . config_name , config_id . instance_name ) self . _policy . images [ action . client_name ] . refresh_repo ( config_id . config_name ) log . debug ( "Refreshed image cache for repo %s." , config_id . config_name ) return res
Pulls an image for a container configuration
61,611
def parse_networks_output ( out ) : if not out : return [ ] line_iter = islice ( out . splitlines ( ) , 1 , None ) return list ( map ( _network_info , line_iter ) )
Parses the output of the Docker CLI docker network ls and returns it in the format similar to the Docker API .
61,612
def parse_volumes_output ( out ) : if not out : return [ ] line_iter = islice ( out . splitlines ( ) , 1 , None ) return list ( map ( _volume_info , line_iter ) )
Parses the output of the Docker CLI docker volume ls and returns it in the format similar to the Docker API .
61,613
def parse_images_output ( out ) : line_iter = islice ( out . splitlines ( ) , 1 , None ) split_lines = ( line . split ( ) for line in line_iter ) return [ _summarize_tags ( image_id , image_lines ) for image_id , image_lines in groupby ( sorted ( split_lines , key = _get_image_id ) , key = _get_image_id ) ]
Parses the output of the Docker CLI docker images . Note this is currently incomplete and only returns the ids and tags of images as the Docker CLI heavily modifies the output for human readability . The parent image id is also not available on the CLI so a full API compatibility is not possible .
61,614
def refresh ( self ) : if not self . _client : return current_images = self . _client . images ( ) self . clear ( ) self . _update ( current_images ) for image in current_images : tags = image . get ( 'RepoTags' ) if tags : self . update ( { tag : image [ 'Id' ] for tag in tags } )
Fetches image and their ids from the client .
61,615
def refresh ( self ) : if not self . _client : return current_containers = self . _client . containers ( all = True ) self . clear ( ) for container in current_containers : container_names = container . get ( 'Names' ) if container_names : c_id = container [ 'Id' ] self . update ( ( name [ 1 : ] , c_id ) for name in container_names )
Fetches all current container names from the client along with their id .
61,616
def refresh ( self ) : if not self . _client : return current_networks = self . _client . networks ( ) self . clear ( ) self . update ( ( net [ 'Name' ] , net [ 'Id' ] ) for net in current_networks )
Fetches all current network names from the client along with their id .
61,617
def refresh ( self ) : if not self . _client : return current_volumes = self . _client . volumes ( ) [ 'Volumes' ] self . clear ( ) if current_volumes : self . update ( vol [ 'Name' ] for vol in current_volumes )
Fetches all current network names from the client .
61,618
def refresh ( self , item ) : client = self . _clients [ item ] . get_client ( ) self [ item ] = val = self . item_class ( client ) return val
Forces a refresh of a cached item .
61,619
def get_image ( self , image ) : name , __ , tag = image . rpartition ( ':' ) if not name : name , tag = tag , name if '/' in name : if name [ 0 ] == '/' : repo_name = name [ 1 : ] else : repo_name = name else : default_prefix = resolve_value ( self . repository ) if default_prefix : repo_name = '{0}/{1}' . format ( default_prefix , name ) else : repo_name = name if tag : return repo_name , tag default_tag = resolve_value ( self . default_tag ) return repo_name , default_tag or 'latest'
Generates a tuple of the full image name and tag that should be used when creating a new container .
61,620
def get_extended ( self , config ) : if not config . extends or self . _extended : return config extended_config = ContainerConfiguration ( ) for ext_name in config . extends : ext_cfg_base = self . _containers . get ( ext_name ) if not ext_cfg_base : raise KeyError ( ext_name ) ext_cfg = self . get_extended ( ext_cfg_base ) extended_config . merge_from_obj ( ext_cfg ) extended_config . merge_from_obj ( config ) return extended_config
Generates a configuration that includes all inherited values .
61,621
def get_extended_map ( self ) : map_copy = self . __class__ ( self . name ) map_copy . update_from_obj ( self , copy = True , update_containers = False ) for c_name , c_config in self : map_copy . _containers [ c_name ] = self . get_extended ( c_config ) map_copy . _extended = True return map_copy
Creates a copy of this map which includes all non - abstract configurations in their extended form .
61,622
def get_state_actions ( self , state , ** kwargs ) : if state . base_state == State . ABSENT : if state . config_id . config_type == ItemType . IMAGE : return [ ItemAction ( state , ImageAction . PULL ) ] actions = [ ItemAction ( state , Action . CREATE , extra_data = kwargs ) ] if state . config_id . config_type == ItemType . CONTAINER : actions . append ( ItemAction ( state , ContainerUtilAction . CONNECT_ALL ) ) return actions
Creates all missing containers networks and volumes .
61,623
def get_state_actions ( self , state , ** kwargs ) : config_type = state . config_id . config_type if ( config_type == ItemType . VOLUME and state . base_state == State . PRESENT and state . state_flags & StateFlags . INITIAL ) : return [ ItemAction ( state , Action . START ) , ItemAction ( state , VolumeUtilAction . PREPARE ) , ] elif config_type == ItemType . CONTAINER and state . base_state == State . PRESENT : return [ ItemAction ( state , Action . START , extra_data = kwargs ) , ItemAction ( state , ContainerUtilAction . EXEC_ALL ) , ]
Generally starts containers that are not running . Attached containers are skipped unless they are initial . Attached containers are also prepared with permissions . Where applicable exec commands are run in started instance containers .
61,624
def get_state_actions ( self , state , ** kwargs ) : if ( state . config_id . config_type == ItemType . CONTAINER and state . base_state != State . ABSENT and not state . state_flags & StateFlags . INITIAL ) : actions = [ ItemAction ( state , DerivedAction . RESTART_CONTAINER , extra_data = kwargs ) ] if self . restart_exec_commands : actions . append ( ItemAction ( state , ContainerUtilAction . EXEC_ALL , extra_data = kwargs ) ) return actions
Restarts instance containers .
61,625
def get_state_actions ( self , state , ** kwargs ) : if ( state . config_id . config_type == ItemType . CONTAINER and state . base_state != State . ABSENT and not state . state_flags & StateFlags . INITIAL ) : return [ ItemAction ( state , ContainerUtilAction . SIGNAL_STOP , extra_data = kwargs ) ]
Stops containers that are running . Does not check attached containers . Considers using the pre - configured stop_signal .
61,626
def get_state_actions ( self , state , ** kwargs ) : config_type = state . config_id . config_type if config_type == ItemType . CONTAINER : extra_data = kwargs else : extra_data = None if state . base_state == State . PRESENT : if ( ( config_type == ItemType . VOLUME and self . remove_attached ) or ( config_type == ItemType . CONTAINER and self . remove_persistent or not state . state_flags & StateFlags . PERSISTENT ) ) : return [ ItemAction ( state , Action . REMOVE , extra_data = extra_data ) ] elif config_type == ItemType . NETWORK : connected_containers = state . extra_data . get ( 'containers' ) if connected_containers : actions = [ ItemAction ( state , NetworkUtilAction . DISCONNECT_ALL , { 'containers' : connected_containers } ) ] else : actions = [ ] actions . append ( ItemAction ( state , Action . REMOVE , extra_data = kwargs ) ) return actions
Removes containers that are stopped . Optionally skips persistent containers . Attached containers are skipped by default from removal but can optionally be included .
61,627
def get_state_actions ( self , state , ** kwargs ) : config_type = state . config_id . config_type if config_type == ItemType . VOLUME : if state . base_state == State . ABSENT : return [ ItemAction ( state , Action . CREATE ) , ItemAction ( state , VolumeUtilAction . PREPARE ) , ] elif state . base_state == State . PRESENT and state . state_flags & StateFlags . INITIAL : return [ ItemAction ( state , Action . START ) , ItemAction ( state , VolumeUtilAction . PREPARE ) , ] elif config_type == ItemType . CONTAINER : if state . base_state == State . ABSENT : return [ ItemAction ( state , DerivedAction . STARTUP_CONTAINER ) , ItemAction ( state , ContainerUtilAction . EXEC_ALL ) , ] elif state . base_state == State . PRESENT : return [ ItemAction ( state , Action . START ) , ItemAction ( state , ContainerUtilAction . EXEC_ALL ) , ] else : if config_type == ItemType . NETWORK : return [ ItemAction ( state , Action . CREATE ) ] elif config_type == ItemType . IMAGE : return [ ItemAction ( state , ImageAction . PULL ) ]
A combination of CreateActionGenerator and StartActionGenerator - creates and starts containers where appropriate .
61,628
def get_state_actions ( self , state , ** kwargs ) : config_type = state . config_id . config_type if config_type == ItemType . NETWORK : if state . base_state == State . PRESENT : connected_containers = state . extra_data . get ( 'containers' ) if connected_containers : cc_names = [ c . get ( 'Name' , c [ 'Id' ] ) for c in connected_containers ] actions = [ ItemAction ( state , NetworkUtilAction . DISCONNECT_ALL , extra_data = { 'containers' : cc_names } ) ] else : actions = [ ] actions . append ( ItemAction ( state , Action . REMOVE , extra_data = kwargs ) ) return actions elif config_type == ItemType . VOLUME and self . remove_attached : return [ ItemAction ( state , Action . REMOVE ) ] elif config_type == ItemType . CONTAINER : if self . remove_persistent or not state . state_flags & StateFlags . PERSISTENT : if state . base_state == State . RUNNING or state . state_flags & StateFlags . RESTARTING : return [ ItemAction ( state , DerivedAction . SHUTDOWN_CONTAINER ) ] elif state . base_state == State . PRESENT : return [ ItemAction ( state , Action . REMOVE ) ] elif state . base_state == State . RUNNING or state . state_flags & StateFlags . RESTARTING : return [ ItemAction ( state , Action . REMOVE ) ]
A combination of StopActionGenerator and RemoveActionGenerator - stops and removes containers where appropriate .
61,629
def get_state_actions ( self , state , ** kwargs ) : if state . config_id . config_type == ItemType . CONTAINER and state . base_state == State . RUNNING : return [ ItemAction ( state , Action . KILL , extra_data = kwargs ) ]
Sends kill signals to running containers .
61,630
def get_distribution_paths ( name ) : pyver = 'python' + sys . version [ : 3 ] paths = { 'prefix' : '{prefix}' , 'data' : '{prefix}/lib/{pyver}/site-packages' , 'purelib' : '{prefix}/lib/{pyver}/site-packages' , 'platlib' : '{prefix}/lib/{pyver}/site-packages' , 'headers' : '{prefix}/include/{pyver}/{name}' , 'scripts' : '{prefix}/bin' , } if hasattr ( sys , 'real_prefix' ) : paths [ 'headers' ] = os . path . abspath ( os . path . join ( sys . prefix , 'include' , 'site' , pyver , name ) ) for key , val in paths . items ( ) : paths [ key ] = val . format ( prefix = PREFIX , name = name , pyver = pyver ) return paths
Return target paths where the package content should be installed
61,631
def parse_response ( response ) : if isinstance ( response , six . binary_type ) : response = response . decode ( 'utf-8' ) try : obj = json . loads ( response ) except ValueError : return { } return obj
Decodes the JSON response simply ignoring syntax errors . Therefore it should be used for filtering visible output only .
61,632
def login ( self , username , password = None , email = None , registry = None , reauth = False , ** kwargs ) : response = super ( DockerClientWrapper , self ) . login ( username , password , email , registry , reauth = reauth , ** kwargs ) return response . get ( 'Status' ) == 'Login Succeeded' or response . get ( 'username' ) == username
Login to a Docker registry server .
61,633
def push ( self , repository , stream = False , raise_on_error = True , ** kwargs ) : response = super ( DockerClientWrapper , self ) . push ( repository , stream = stream , ** kwargs ) if stream : result = self . _docker_status_stream ( response , raise_on_error ) else : result = self . _docker_status_stream ( response . split ( '\r\n' ) if response else ( ) , raise_on_error ) return result and not result . get ( 'error' )
Pushes an image repository to the registry .
61,634
def remove_container ( self , container , raise_on_error = True , raise_not_found = False , ** kwargs ) : try : super ( DockerClientWrapper , self ) . remove_container ( container , ** kwargs ) except APIError as e : exc_info = sys . exc_info ( ) if e . response . status_code == 404 : if raise_not_found : six . reraise ( * exc_info ) else : self . push_log ( "Failed to remove container '%s': %s" , logging . ERROR , container , e . explanation ) if raise_on_error : six . reraise ( * exc_info )
Removes a container . For convenience optionally ignores API errors .
61,635
def stop ( self , container , raise_on_error = True , ** kwargs ) : try : super ( DockerClientWrapper , self ) . stop ( container , ** kwargs ) except APIError as e : exc_info = sys . exc_info ( ) self . push_log ( "Failed to stop container '%s': %s" , logging . ERROR , container , e . explanation ) if raise_on_error : six . reraise ( * exc_info )
Stops a container . For convenience optionally ignores API errors .
61,636
def tag_check_function ( tags ) : suffixes = [ ':{0}' . format ( t ) for t in tags ] def _check_image ( image ) : repo_tags = image [ 'RepoTags' ] if not repo_tags : return False return any ( r_tag . endswith ( s ) for s in suffixes for r_tag in repo_tags ) return _check_image
Generates a function that checks whether the given image has any of the listed tags .
61,637
def add_extra_tags ( self , image_id , main_tag , extra_tags , add_latest ) : repo , __ , i_tag = main_tag . rpartition ( ':' ) tag_set = set ( extra_tags or ( ) ) if add_latest : tag_set . add ( 'latest' ) tag_set . discard ( i_tag ) added_tags = [ ] tag_kwargs = { } if str ( self . api_version ) < DEPRECATED_FORCE_TAG_VERSION : tag_kwargs [ 'force' ] = True if repo and tag_set : for t in tag_set : try : self . tag ( image_id , repo , t , ** tag_kwargs ) except : exc_info = sys . exc_info ( ) raise PartialResultsError ( exc_info , added_tags ) else : added_tags . append ( t ) return added_tags
Adds extra tags to an image after de - duplicating tag names .
61,638
def push_log ( self , info , level , * args , ** kwargs ) : log . log ( level , info , * args , ** kwargs )
Writes logs . To be fully implemented by subclasses .
61,639
def build_from_context ( self , ctx , tag , ** kwargs ) : return self . build ( fileobj = ctx . fileobj , tag = tag , custom_context = True , encoding = ctx . stream_encoding , ** kwargs )
Builds a docker image from the given docker context with a Dockerfile file object .
61,640
def cleanup_containers ( self , include_initial = False , exclude = None , raise_on_error = False , list_only = False ) : exclude_names = set ( exclude or ( ) ) def _stopped_containers ( ) : for container in self . containers ( all = True ) : c_names = [ name [ 1 : ] for name in container [ 'Names' ] or ( ) if name . find ( '/' , 2 ) ] c_status = container [ 'Status' ] if ( ( ( include_initial and c_status == '' ) or c_status . startswith ( 'Exited' ) or c_status == 'Dead' ) and exclude_names . isdisjoint ( c_names ) ) : c_id = container [ 'Id' ] c_name = primary_container_name ( c_names , default = c_id , strip_trailing_slash = False ) yield c_id , c_name stopped_containers = list ( _stopped_containers ( ) ) if list_only : return stopped_containers removed_containers = [ ] for cid , cn in stopped_containers : try : self . remove_container ( cn ) except : exc_info = sys . exc_info ( ) if raise_on_error : raise PartialResultsError ( exc_info , removed_containers ) else : removed_containers . append ( cn ) return removed_containers
Finds all stopped containers and removes them ; by default does not remove containers that have never been started .
61,641
def cleanup_images ( self , remove_old = False , keep_tags = None , force = False , raise_on_error = False , list_only = False ) : used_images = set ( self . inspect_container ( container [ 'Id' ] ) [ 'Image' ] for container in self . containers ( all = True ) ) all_images = self . images ( all = True ) image_dependencies = [ ( image [ 'Id' ] , image [ 'ParentId' ] ) for image in all_images if image [ 'ParentId' ] ] if remove_old : check_tags = { 'latest' } if keep_tags : check_tags . update ( keep_tags ) tag_check = tag_check_function ( check_tags ) elif remove_old : tag_check = tag_check_function ( [ 'latest' ] ) else : tag_check = is_repo_image keep_images = { image [ 'Id' ] for image in all_images if tag_check ( image ) } | used_images test_images = [ image [ 'Id' ] for image in all_images if image [ 'Id' ] not in keep_images ] resolver = ImageDependentsResolver ( image_dependencies ) unused_images = [ image_id for image_id in test_images if keep_images . isdisjoint ( resolver . get_dependencies ( image_id ) ) ] if list_only : return unused_images removed_images = [ ] for iid in unused_images : try : self . remove_image ( iid , force = force ) except : exc_info = sys . exc_info ( ) if raise_on_error : raise PartialResultsError ( exc_info , removed_images ) else : removed_images . append ( iid ) return removed_images
Finds all images that are neither used by any container nor another image and removes them ; by default does not remove repository images .
61,642
def get_container_names ( self ) : current_containers = self . containers ( all = True ) return set ( c_name [ 1 : ] for c in current_containers for c_name in c [ 'Names' ] )
Fetches names of all present containers from Docker .
61,643
def resolve_value ( value , types = type_registry ) : if value is None : return None elif isinstance ( value , lazy_type ) : return value . get ( ) elif types : resolve_func = types . get ( expand_type_name ( type ( value ) ) ) if resolve_func : return resolve_func ( value ) return value
Returns the actual value for the given object if it is a late - resolving object type . If not the value itself is simply returned .
61,644
def resolve_deep ( values , max_depth = 5 , types = None ) : def _resolve_sub ( v , level ) : l1 = level + 1 res_val = resolve_value ( v , all_types ) if l1 < max_depth : if isinstance ( res_val , ( list , tuple ) ) : return [ _resolve_sub ( item , l1 ) for item in res_val ] elif isinstance ( res_val , dict ) : return { resolve_value ( rk , all_types ) : _resolve_sub ( rv , l1 ) for rk , rv in iteritems ( res_val ) } return res_val if types : all_types = type_registry . copy ( ) all_types . update ( types ) else : all_types = type_registry return _resolve_sub ( values , - 1 )
Resolves all late - resolving types into their current values to a certain depth in a dictionary or list .
61,645
def get ( self ) : if not self . _evaluated : self . _val = self . _func ( * self . _args , ** self . _kwargs ) self . _evaluated = True return self . _val
Resolves and returns the object value . Re - uses an existing previous evaluation if applicable .
61,646
def merge_dependency_paths ( item_paths ) : merged_paths = [ ] for item , path in item_paths : sub_path_idx = [ ] path_set = set ( path ) for index , ( merged_item , merged_path , merged_set ) in enumerate ( merged_paths ) : if item in merged_set : path = None break elif merged_item in path_set : sub_path_idx . append ( index ) elif merged_set & path_set : path = [ p for p in path if p not in merged_set ] path_set = set ( path ) if not path : break for spi in reversed ( sub_path_idx ) : merged_paths . pop ( spi ) if path is not None : merged_paths . append ( ( item , path , path_set ) ) return [ ( i [ 0 ] , i [ 1 ] ) for i in merged_paths ]
Utility function that merges multiple dependency paths as far as they share dependencies . Paths are evaluated and merged in the incoming order . Later paths that are independent but share some dependencies are shortened by these dependencies . Paths that are contained in another entirely are discarded .
61,647
def update_from_dict ( self , dct ) : if not dct : return all_props = self . __class__ . CONFIG_PROPERTIES for key , value in six . iteritems ( dct ) : attr_config = all_props . get ( key ) if attr_config : setattr ( self , key , value ) else : self . update_default_from_dict ( key , value )
Updates this configuration object from a dictionary .
61,648
def update_from_obj ( self , obj , copy = False ) : obj . clean ( ) obj_config = obj . _config all_props = self . __class__ . CONFIG_PROPERTIES if copy : for key , value in six . iteritems ( obj_config ) : attr_config = all_props . get ( key ) if attr_config : attr_type = attr_config . attr_type if attr_type : if issubclass ( attr_type , list ) : self . _config [ key ] = value [ : ] elif attr_type is dict : self . _config [ key ] = value . copy ( ) else : self . _config [ key ] = value self . _modified . discard ( key ) else : filtered_dict = { key : value for key , value in six . iteritems ( obj_config ) if key in all_props } self . _config . update ( filtered_dict ) self . _modified . difference_update ( filtered_dict . keys ( ) )
Updates this configuration object from another .
61,649
def merge_from_dict ( self , dct , lists_only = False ) : if not dct : return self . clean ( ) all_props = self . __class__ . CONFIG_PROPERTIES for key , value in six . iteritems ( dct ) : attr_config = all_props . get ( key ) if attr_config : attr_type , default , input_func , merge_func = attr_config [ : 4 ] if ( merge_func is not False and value != default and ( not lists_only or ( attr_type and issubclass ( attr_type , list ) ) ) ) : if input_func : value = input_func ( value ) self . _merge_value ( attr_type , merge_func , key , value ) else : self . merge_default_from_dict ( key , value , lists_only = lists_only )
Merges a dictionary into this configuration object .
61,650
def merge_from_obj ( self , obj , lists_only = False ) : self . clean ( ) obj . clean ( ) obj_config = obj . _config all_props = self . __class__ . CONFIG_PROPERTIES for key , value in six . iteritems ( obj_config ) : attr_config = all_props [ key ] attr_type , default , __ , merge_func = attr_config [ : 4 ] if ( merge_func is not False and value != default and ( not lists_only or ( attr_type and issubclass ( attr_type , list ) ) ) ) : self . _merge_value ( attr_type , merge_func , key , value )
Merges a configuration object into this one .
61,651
def update ( self , values , copy_instance = False ) : if isinstance ( values , self . __class__ ) : self . update_from_obj ( values , copy = copy_instance ) elif isinstance ( values , dict ) : self . update_from_dict ( values ) else : raise ValueError ( "{0} or dictionary expected; found '{1}'." . format ( self . __class__ . __name__ , type ( values ) . __name__ ) )
Updates the configuration with the contents of the given configuration object or dictionary .
61,652
def merge ( self , values , lists_only = False ) : if isinstance ( values , self . __class__ ) : self . merge_from_obj ( values , lists_only = lists_only ) elif isinstance ( values , dict ) : self . merge_from_dict ( values , lists_only = lists_only ) else : raise ValueError ( "{0} or dictionary expected; found '{1}'." . format ( self . __class__ . __name__ , type ( values ) . __name__ ) )
Merges list - based attributes into one list including unique elements from both lists . When lists_only is set to False updates dictionaries and overwrites single - value attributes . The resulting configuration is clean i . e . input values converted and validated . If the conversion is not possible a ValueError is raised .
61,653
def clean ( self ) : all_props = self . __class__ . CONFIG_PROPERTIES for prop_name in self . _modified : attr_config = all_props . get ( prop_name ) if attr_config and attr_config . input_func : self . _config [ prop_name ] = attr_config . input_func ( self . _config [ prop_name ] ) self . _modified . clear ( )
Cleans the input values of this configuration object .
61,654
def as_dict ( self ) : self . clean ( ) d = OrderedDict ( ) all_props = self . __class__ . CONFIG_PROPERTIES for attr_name , attr_config in six . iteritems ( all_props ) : value = self . _config [ attr_name ] attr_type = attr_config . attr_type if attr_type : if value : if issubclass ( attr_type , list ) : if issubclass ( attr_type , NamedTupleList ) : d [ attr_name ] = [ i . _asdict ( ) for i in value ] else : d [ attr_name ] = value [ : ] elif attr_type is dict : d [ attr_name ] = dict ( value ) elif value is not NotSet : d [ attr_name ] = value return d
Returns a copy of the configuration dictionary . Changes in this should not reflect on the original object .
61,655
def get_dependencies ( self , item ) : def _get_sub_dependency ( sub_item ) : e = self . _deps . get ( sub_item ) if e is None : return self . get_default ( ) if e . dependencies is NotInitialized : e . dependencies = self . merge_dependency ( sub_item , _get_sub_dependency , e . parent ) return e . dependencies return _get_sub_dependency ( item )
Performs a dependency check on the given item .
61,656
def get ( self , item ) : e = self . _deps . get ( item ) if e is None : return self . get_default ( ) return e . parent
Returns the direct dependencies or dependents of a single item . Does not follow the entire dependency path .
61,657
def merge_dependency ( self , item , resolve_parent , parents ) : dep = [ ] for parent_key in parents : if item == parent_key : raise CircularDependency ( item , True ) parent_dep = resolve_parent ( parent_key ) if item in parent_dep : raise CircularDependency ( item ) merge_list ( dep , parent_dep ) merge_list ( dep , parents ) return dep
Merge dependencies of element with further dependencies . First parent dependencies are checked and then immediate dependencies of the current element should be added to the list but without duplicating any entries .
61,658
def update ( self , items ) : for item , parents in _iterate_dependencies ( items ) : dep = self . _deps [ item ] merge_list ( dep . parent , parents )
Updates the dependencies with the given items . Note that this does not reset all previously - evaluated and cached nodes .
61,659
def signal_stop ( self , action , c_name , ** kwargs ) : client = action . client sig = action . config . stop_signal stop_kwargs = self . get_container_stop_kwargs ( action , c_name , kwargs = kwargs ) if not sig or sig == 'SIGTERM' or sig == signal . SIGTERM : try : client . stop ( ** stop_kwargs ) except Timeout : log . warning ( "Container %s did not stop in time - sent SIGKILL." , c_name ) try : client . wait ( c_name , timeout = stop_kwargs . get ( 'timeout' , 10 ) ) except Timeout : pass else : log . debug ( "Sending signal %s to the container %s and waiting for stop." , sig , c_name ) client . kill ( c_name , signal = sig ) client . wait ( c_name , timeout = stop_kwargs . get ( 'timeout' , 10 ) )
Stops a container either using the default client stop method or sending a custom signal and waiting for the container to stop .
61,660
def preprocess_matches ( input_items ) : for i in input_items : s = i . strip ( ) if not s : continue if s [ 0 ] == '!' : is_negative = True match_str = s [ 1 : ] if not match_str : continue else : is_negative = False match_str = s yield re . compile ( fnmatch . translate ( LITERAL_PATTERN . sub ( r'[\g<1>]' , match_str ) ) ) , is_negative
Converts as far as possible Go filepath . Match patterns into Python regular expression patterns . Blank lines are ignored .
61,661
def get_exclusions ( path ) : if not os . path . isdir ( path ) : return None dockerignore_file = os . path . join ( path , '.dockerignore' ) if not os . path . isfile ( dockerignore_file ) : return None with open ( dockerignore_file , 'rb' ) as dif : return list ( preprocess_matches ( dif . readlines ( ) ) )
Generates exclusion patterns from a . dockerignore file located in the given path . Returns None if the file does not exist .
61,662
def add ( self , name , arcname = None , ** kwargs ) : if os . path . isdir ( name ) : exclusions = get_exclusions ( name ) if exclusions : target_prefix = os . path . abspath ( arcname or name ) kwargs . setdefault ( 'filter' , get_filter_func ( exclusions , target_prefix ) ) self . tarfile . add ( name , arcname = arcname , ** kwargs )
Add a file or directory to the context tarball .
61,663
def save ( self , name ) : with open ( name , 'wb+' ) as f : while True : buf = self . _fileobj . read ( ) if not buf : break f . write ( buf )
Saves the entire Docker context tarball to a separate file .
61,664
def get_volumes ( container_map , config , default_volume_paths , include_named ) : def _bind_volume_path ( vol ) : if isinstance ( vol , HostVolume ) : return resolve_value ( vol . path ) v_path = resolve_value ( default_volume_paths . get ( vol . name ) ) if v_path : return v_path raise KeyError ( "No host-volume information found for alias {0}." . format ( vol ) ) def _attached_volume_path ( vol ) : if isinstance ( vol , UsedVolume ) : return resolve_value ( vol . path ) v_path = resolve_value ( default_volume_paths . get ( vol . name ) ) if v_path : return v_path raise KeyError ( "No volume information found for alias {0}." . format ( vol ) ) def _used_volume_path ( vol ) : if isinstance ( vol , UsedVolume ) : return resolve_value ( vol . path ) if container_map . use_attached_parent_name : return resolve_value ( default_volume_paths . get ( vol . name . partition ( '.' ) [ 2 ] ) ) return resolve_value ( default_volume_paths . get ( vol . name ) ) volumes = list ( map ( resolve_value , config . shares ) ) volumes . extend ( map ( _bind_volume_path , config . binds ) ) if include_named : volumes . extend ( map ( _attached_volume_path , config . attaches ) ) volumes . extend ( filter ( None , map ( _used_volume_path , config . uses ) ) ) return volumes
Generates volume paths for the volumes argument during container creation .
61,665
def get_volumes_from ( container_map , config_name , config , policy , include_volumes ) : aname = policy . aname cname = policy . cname map_name = container_map . name volume_names = set ( policy . default_volume_paths [ map_name ] . keys ( ) ) def container_name ( u_name ) : uc_name , __ , ui_name = u_name . partition ( '.' ) return cname ( map_name , uc_name , ui_name ) def volume_or_container_name ( u_name ) : if u_name in volume_names : if container_map . use_attached_parent_name : v_parent_name , __ , attached_name = u_name . partition ( '.' ) return aname ( map_name , attached_name , v_parent_name ) return aname ( map_name , u_name ) return container_name ( u_name ) def volume_str ( name , readonly ) : if readonly : return '{0}:ro' . format ( name ) return name use_attached_parent_name = container_map . use_attached_parent_name if include_volumes : volumes_from = [ volume_str ( volume_or_container_name ( u . name ) , u . readonly ) for u in config . uses ] a_parent_name = config_name if use_attached_parent_name else None volumes_from . extend ( [ aname ( map_name , attached . name , a_parent_name ) for attached in config . attaches ] ) return volumes_from if use_attached_parent_name : return [ volume_str ( container_name ( u . name ) , u . readonly ) for u in config . uses if u . name . partition ( '.' ) [ 2 ] not in volume_names ] return [ volume_str ( container_name ( u . name ) , u . readonly ) for u in config . uses if u . name not in volume_names ]
Generates volume paths for the host config volumes_from argument during container creation .
61,666
def get_port_bindings ( container_config , client_config ) : port_bindings = { } if_ipv4 = client_config . interfaces if_ipv6 = client_config . interfaces_ipv6 for exposed_port , ex_port_bindings in itertools . groupby ( sorted ( container_config . exposes , key = _get_ex_port ) , _get_ex_port ) : bind_list = list ( _get_port_bindings ( ex_port_bindings , if_ipv4 , if_ipv6 ) ) if bind_list : port_bindings [ exposed_port ] = bind_list return port_bindings
Generates the input dictionary contents for the port_bindings argument .
61,667
def get_preparation_cmd ( user , permissions , path ) : r_user = resolve_value ( user ) r_permissions = resolve_value ( permissions ) if user : yield chown ( r_user , path ) if permissions : yield chmod ( r_permissions , path )
Generates the command lines for adjusting a volume s ownership and permission flags . Returns an empty list if there is nothing to adjust .
61,668
def get_urlhash ( self , url , fmt ) : with self . open ( os . path . basename ( url ) ) as f : return { 'url' : fmt ( url ) , 'sha256' : filehash ( f , 'sha256' ) }
Returns the hash of the file of an internal url
61,669
def package_releases ( self , package , url_fmt = lambda u : u ) : return [ { 'name' : package , 'version' : version , 'urls' : [ self . get_urlhash ( f , url_fmt ) for f in files ] } for version , files in self . storage . get ( package , { } ) . items ( ) ]
List all versions of a package
61,670
def inspect ( self ) : policy = self . policy config_id = self . config_id if self . config_id . config_type == ItemType . VOLUME : if self . container_map . use_attached_parent_name : container_name = policy . aname ( config_id . map_name , config_id . instance_name , config_id . config_name ) else : container_name = policy . aname ( config_id . map_name , config_id . instance_name ) else : container_name = policy . cname ( config_id . map_name , config_id . config_name , config_id . instance_name ) self . container_name = container_name if container_name in policy . container_names [ self . client_name ] : self . detail = self . client . inspect_container ( container_name ) else : self . detail = NOT_FOUND
Fetches information about the container from the client .
61,671
def inspect ( self ) : policy = self . policy image_name = format_image_tag ( ( self . config_id . config_name , self . config_id . instance_name ) ) image_id = policy . images [ self . client_name ] . get ( image_name ) if image_id : self . detail = { 'Id' : image_id } else : self . detail = NOT_FOUND
Fetches image information from the client .
61,672
def generate_config_states ( self , config_id , config_flags = ConfigFlags . NONE ) : c_map = self . _policy . container_maps [ config_id . map_name ] clients = c_map . clients or [ self . _policy . default_client_name ] config_type = config_id . config_type for client_name in clients : if config_type == ItemType . CONTAINER : c_state = self . get_container_state ( client_name , config_id , config_flags ) elif config_type == ItemType . VOLUME : client_config = self . _policy . clients [ client_name ] if client_config . features [ 'volumes' ] : c_state = self . get_volume_state ( client_name , config_id , config_flags ) else : c_state = self . get_container_state ( client_name , config_id , config_flags ) elif config_type == ItemType . NETWORK : c_state = self . get_network_state ( client_name , config_id , config_flags ) elif config_type == ItemType . IMAGE : c_state = self . get_image_state ( client_name , config_id , config_flags ) else : raise ValueError ( "Invalid configuration type." , config_type ) c_state . inspect ( ) state_info = ConfigState ( client_name , config_id , config_flags , * c_state . get_state ( ) ) log . debug ( "Configuration state information: %s" , state_info ) yield state_info
Generates the actions on a single item which can be either a dependency or a explicitly selected container .
61,673
def get_states ( self , config_ids ) : return itertools . chain . from_iterable ( self . generate_config_states ( config_id ) for config_id in config_ids )
Generates state information for the selected containers .
61,674
def get_attached_preparation_wait_kwargs ( self , action , container_name , kwargs = None ) : c_kwargs = dict ( container = container_name ) client_config = action . client_config c_kwargs = dict ( container = container_name ) wait_timeout = client_config . get ( 'wait_timeout' ) if wait_timeout is not None : c_kwargs [ 'timeout' ] = wait_timeout update_kwargs ( c_kwargs , kwargs ) return c_kwargs
Generates keyword arguments for waiting for a container when preparing a volume . The container name may be the container being prepared or the id of the container calling preparation commands .
61,675
def _prepare_container ( self , client , action , volume_container , volume_alias ) : apc_kwargs = self . get_attached_preparation_create_kwargs ( action , volume_container , volume_alias ) if not apc_kwargs : return a_wait_kwargs = self . get_attached_preparation_wait_kwargs ( action , volume_container ) client . wait ( volume_container , ** a_wait_kwargs ) temp_container = client . create_container ( ** apc_kwargs ) temp_id = temp_container [ 'Id' ] try : if action . client_config . features [ 'host_config' ] : client . start ( temp_id ) else : aps_kwargs = self . get_attached_preparation_host_config_kwargs ( action , temp_id , volume_container ) client . start ( ** aps_kwargs ) temp_wait_kwargs = self . get_attached_preparation_wait_kwargs ( action , temp_id ) client . wait ( temp_id , ** temp_wait_kwargs ) finally : client . remove_container ( temp_id )
Runs a temporary container for preparing an attached volume for a container configuration .
61,676
def prepare_attached ( self , action , a_name , ** kwargs ) : client = action . client config_id = action . config_id policy = self . _policy if action . container_map . use_attached_parent_name : v_alias = '{0.config_name}.{0.instance_name}' . format ( config_id ) else : v_alias = config_id . instance_name user = policy . volume_users [ config_id . map_name ] [ v_alias ] permissions = policy . volume_permissions [ config_id . map_name ] [ v_alias ] if not ( self . prepare_local and hasattr ( client , 'run_cmd' ) ) : return self . _prepare_container ( client , action , a_name , v_alias ) if action . client_config . features [ 'volumes' ] : volume_detail = client . inspect_volume ( a_name ) local_path = volume_detail [ 'Mountpoint' ] else : instance_detail = client . inspect_container ( a_name ) volumes = get_instance_volumes ( instance_detail , False ) path = resolve_value ( policy . default_volume_paths [ config_id . map_name ] [ v_alias ] ) local_path = volumes . get ( path ) if not local_path : raise ValueError ( "Could not locate local path of volume alias '{0}' / " "path '{1}' in container {2}." . format ( action . config_id . instance_name , path , a_name ) ) return [ client . run_cmd ( cmd ) for cmd in get_preparation_cmd ( user , permissions , local_path ) ]
Prepares an attached volume for a container configuration .
61,677
def get_shared_volume_path ( container_map , vol , instance = None ) : if isinstance ( vol , HostVolume ) : c_path = resolve_value ( vol . path ) if is_path ( c_path ) : return c_path , get_host_path ( container_map . host . root , vol . host_path , instance ) raise ValueError ( "Host-container-binding must be described by two paths or one alias name." , vol ) alias = vol . name volume_config = resolve_value ( container_map . volumes . get ( alias ) ) h_path = container_map . host . get_path ( alias , instance ) if volume_config and h_path : return volume_config . default_path , h_path raise KeyError ( "No host-volume information found for alias {0}." . format ( alias ) )
Resolves a volume alias of a container configuration or a tuple of two paths to the host and container paths .
61,678
def get_instance_volumes ( instance_detail , check_names ) : if 'Mounts' in instance_detail : if check_names : return { m [ 'Destination' ] : m . get ( 'Name' ) or m [ 'Source' ] for m in instance_detail [ 'Mounts' ] } return { m [ 'Destination' ] : m [ 'Source' ] for m in instance_detail [ 'Mounts' ] } return instance_detail . get ( 'Volumes' ) or { }
Extracts the mount points and mapped directories or names of a Docker container .
61,679
def merge_list ( merged_list , items ) : if not items : return merged_set = set ( merged_list ) merged_add = merged_set . add merged_list . extend ( item for item in items if item not in merged_set and not merged_add ( item ) )
Merges items into a list appends ignoring duplicates but retaining the original order . This modifies the list and does not return anything .
61,680
def disconnect_all_containers ( self , action , network_name , containers , ** kwargs ) : client = action . client for c_name in containers : disconnect_kwargs = self . get_network_disconnect_kwargs ( action , network_name , c_name , kwargs = kwargs ) client . disconnect_container_from_network ( ** disconnect_kwargs )
Disconnects all containers from a network .
61,681
def connect_networks ( self , action , container_name , endpoints , skip_first = False , ** kwargs ) : if not endpoints or ( skip_first and len ( endpoints ) <= 1 ) : return client = action . client map_name = action . config_id . map_name nname = self . _policy . nname if skip_first : endpoints = islice ( endpoints , 1 , None ) for network_endpoint in endpoints : network_name = nname ( map_name , network_endpoint . network_name ) connect_kwargs = self . get_network_connect_kwargs ( action , network_name , container_name , network_endpoint , kwargs = kwargs ) client . connect_container_to_network ( ** connect_kwargs )
Connects a container to a set of configured networks . By default this assumes the container has just been created so it will skip the first network that is already considered during creation .
61,682
def disconnect_networks ( self , action , container_name , networks , ** kwargs ) : client = action . client for n_name in networks : disconnect_kwargs = self . get_network_disconnect_kwargs ( action , n_name , container_name , kwargs = kwargs ) client . disconnect_container_from_network ( ** disconnect_kwargs )
Disconnects a container from a set of networks .
61,683
def connect_all_networks ( self , action , container_name , ** kwargs ) : kwargs . setdefault ( 'skip_first' , True ) self . connect_networks ( action , container_name , action . config . networks , ** kwargs )
Connects a container to all of its configured networks . Assuming that this is typically used after container creation where teh first endpoint is already defined this skips the first configuration . Pass skip_first as False to change this .
61,684
def save ( self , name ) : self . finalize ( ) with open ( name , 'wb+' ) as f : if six . PY3 : f . write ( self . fileobj . getbuffer ( ) ) else : f . write ( self . fileobj . getvalue ( ) . encode ( 'utf-8' ) )
Save the string buffer to a file . Finalizes prior to saving .
61,685
def save ( self , name ) : self . finalize ( ) with open ( name , 'wb+' ) as f : buf = self . _fileobj . read ( ) while buf : f . write ( buf ) buf = self . _fileobj . read ( )
Copy the contents of the temporary file somewhere else . Finalizes prior to saving .
61,686
def is_path ( value ) : return value and isinstance ( value , six . string_types ) and ( value [ 0 ] == posixpath . sep or value [ : 2 ] == CURRENT_DIR )
Checks whether the given value represents a path i . e . a string which starts with an indicator for absolute or relative paths .
61,687
def get_list ( value ) : if value is None : return [ ] elif value is NotSet : return NotSet elif isinstance ( value , ( list , tuple ) ) : return list ( value ) elif isinstance ( value , six . string_types + ( lazy_type , ) ) or uses_type_registry ( value ) : return [ value ] raise ValueError ( "Invalid type; expected a list, tuple, or string type, found {0}." . format ( type ( value ) . __name__ ) )
Wraps the given value in a list . None returns an empty list . Lists and tuples are returned as lists . Single strings and registered types are wrapped in a list .
61,688
def get_network_mode ( value ) : if not value or value == 'disabled' : return 'none' if isinstance ( value , ( tuple , list ) ) : if len ( value ) == 2 : return tuple ( value ) return ValueError ( "Tuples or lists need to have length 2 for container network references." ) if value in DEFAULT_PRESET_NETWORKS : return value if value . startswith ( 'container:' ) : return value if value . startswith ( '/' ) : return 'container:{0}' . format ( value [ 1 : ] ) ref_name , __ , ref_instance = value . partition ( '.' ) return ref_name , ref_instance or None
Generates input for the network_mode of a Docker host configuration . If it points at a container the configuration of the container is returned .
61,689
def get_type_item ( self , value ) : if isinstance ( value , ( UsedVolume , SharedVolume ) ) : if value . readonly : raise ValueError ( "Attached volumes should not be read-only." ) return value elif isinstance ( value , six . string_types ) : return SharedVolume ( value ) elif isinstance ( value , ( list , tuple ) ) : v_len = len ( value ) if v_len == 2 : if value [ 1 ] : return UsedVolume ( value [ 0 ] , value [ 1 ] ) return SharedVolume ( value [ 0 ] ) elif v_len == 1 : return SharedVolume ( value [ 0 ] ) raise ValueError ( "Invalid element length; only tuples and lists of length 1-2 can be converted to a " "UsedVolume or SharedVolume tuple; found length {0}." . format ( v_len ) ) elif isinstance ( value , dict ) : v_len = len ( value ) if v_len == 1 : k , v = list ( value . items ( ) ) [ 0 ] if k == 'name' : return SharedVolume ( v ) return UsedVolume ( k , v ) elif 'path' in value : return UsedVolume ( ** value ) return SharedVolume ( ** value ) raise ValueError ( "Invalid type; expected a list, tuple, dict, or string type, found {0}." . format ( type ( value ) . __name__ ) )
Converts the given value to a UsedVolume or SharedVolume tuple for attached volumes . It accepts strings lists tuples and dicts as input .
61,690
def expand_groups ( config_ids , maps ) : for config_id in config_ids : if config_id . map_name == '__all__' : c_maps = six . iteritems ( maps ) else : c_maps = ( config_id . map_name , maps [ config_id . map_name ] ) , if isinstance ( config_id , InputConfigId ) : instance_name = config_id . instance_names elif isinstance ( config_id , MapConfigId ) : instance_name = ( config_id . instance_name , ) else : raise ValueError ( "Expected InputConfigId or MapConfigId tuple; found {0}." "" . format ( type ( config_id ) . __name__ ) ) for map_name , c_map in c_maps : if config_id . config_name == '__all__' and config_id . config_type == ItemType . CONTAINER : for config_name in six . iterkeys ( c_map . containers ) : yield MapConfigId ( config_id . config_type , map_name , config_name , instance_name ) else : group = c_map . groups . get ( config_id . config_name ) if group is not None : for group_item in group : if isinstance ( group_item , MapConfigId ) : yield group_item elif isinstance ( group_item , six . string_types ) : config_name , __ , instance = group_item . partition ( '.' ) yield MapConfigId ( config_id . config_type , map_name , config_name , ( instance , ) if instance else instance_name ) else : raise ValueError ( "Invalid group item. Must be string or MapConfigId tuple; " "found {0}." . format ( type ( group_item ) . __name__ ) ) else : yield MapConfigId ( config_id . config_type , map_name , config_id . config_name , instance_name )
Iterates over a list of container configuration ids expanding groups of container configurations .
61,691
def expand_instances ( config_ids , ext_maps ) : for type_map_config , items in itertools . groupby ( sorted ( config_ids , key = get_map_config ) , get_map_config ) : config_type , map_name , config_name = type_map_config instances = _get_nested_instances ( items ) c_map = ext_maps [ map_name ] try : c_instances = _get_config_instances ( config_type , c_map , config_name ) except KeyError : raise KeyError ( "Configuration not found." , type_map_config ) if c_instances and None in instances : for i in c_instances : yield MapConfigId ( config_type , map_name , config_name , i ) else : for i in instances : yield MapConfigId ( config_type , map_name , config_name , i )
Iterates over a list of input configuration ids expanding configured instances if None is specified . Otherwise where instance names are specified as a tuple they are expanded .
61,692
def create_network ( self , action , n_name , ** kwargs ) : c_kwargs = self . get_network_create_kwargs ( action , n_name , ** kwargs ) res = action . client . create_network ( ** c_kwargs ) self . _policy . network_names [ action . client_name ] [ n_name ] = res [ 'Id' ] return res
Creates a configured network .
61,693
def remove_network ( self , action , n_name , ** kwargs ) : c_kwargs = self . get_network_remove_kwargs ( action , n_name , ** kwargs ) res = action . client . remove_network ( ** c_kwargs ) del self . _policy . network_names [ action . client_name ] [ n_name ] return res
Removes a network .
61,694
def get_container_create_kwargs ( self , action , container_name , kwargs = None ) : policy = self . _policy client_config = action . client_config container_map = action . container_map container_config = action . config image_tag = container_map . get_image ( container_config . image or action . config_id . config_name ) default_paths = policy . default_volume_paths [ action . config_id . map_name ] c_kwargs = dict ( name = container_name , image = format_image_tag ( image_tag ) , volumes = get_volumes ( container_map , container_config , default_paths , client_config . features [ 'volumes' ] ) , user = extract_user ( container_config . user ) , ports = [ resolve_value ( port_binding . exposed_port ) for port_binding in container_config . exposes if port_binding . exposed_port ] , hostname = policy . get_hostname ( container_name , action . client_name ) if container_map . set_hostname else None , domainname = resolve_value ( client_config . get ( 'domainname' , container_map . default_domain ) ) or None , ) if container_config . network_mode == 'none' : c_kwargs [ 'network_disabled' ] = True elif client_config . features [ 'networks' ] and container_config . networks : first_network = container_config . networks [ 0 ] c_kwargs [ 'networking_config' ] = NetworkingConfig ( { policy . nname ( action . config_id . map_name , first_network . network_name ) : EndpointConfig ( client_config . version , ** self . get_network_create_endpoint_kwargs ( action , first_network ) ) } ) if client_config . features [ 'stop_signal' ] and container_config . stop_signal : c_kwargs [ 'stop_signal' ] = container_config . stop_signal hc_extra_kwargs = kwargs . pop ( 'host_config' , None ) if kwargs else None use_host_config = client_config . features [ 'host_config' ] if use_host_config : hc_kwargs = self . get_container_host_config_kwargs ( action , None , kwargs = hc_extra_kwargs ) if hc_kwargs : if use_host_config == USE_HC_MERGE : c_kwargs . update ( hc_kwargs ) else : c_kwargs [ 'host_config' ] = HostConfig ( version = client_config . version , ** hc_kwargs ) if client_config . features [ 'stop_timeout' ] and container_config . stop_timeout : c_kwargs [ 'stop_timeout' ] = container_config . stop_timeout if client_config . features [ 'healthcheck' ] and container_config . healthcheck : c_kwargs [ 'healthcheck' ] = container_config . healthcheck . _asdict ( ) update_kwargs ( c_kwargs , init_options ( container_config . create_options ) , kwargs ) return c_kwargs
Generates keyword arguments for the Docker client to create a container .
61,695
def get_attached_container_create_kwargs ( self , action , container_name , kwargs = None ) : client_config = action . client_config policy = self . _policy config_id = action . config_id path = resolve_value ( policy . default_volume_paths [ config_id . map_name ] [ config_id . instance_name ] ) user = extract_user ( action . config . user ) c_kwargs = dict ( name = container_name , image = self . _policy . base_image , volumes = [ path ] , user = user , network_disabled = True , ) hc_extra_kwargs = kwargs . pop ( 'host_config' , None ) if kwargs else None use_host_config = client_config . features [ 'host_config' ] if use_host_config : hc_kwargs = self . get_attached_container_host_config_kwargs ( action , None , kwargs = hc_extra_kwargs ) if hc_kwargs : if use_host_config == USE_HC_MERGE : c_kwargs . update ( hc_kwargs ) else : c_kwargs [ 'host_config' ] = HostConfig ( version = client_config . version , ** hc_kwargs ) update_kwargs ( c_kwargs , kwargs ) return c_kwargs
Generates keyword arguments for the Docker client to create an attached container .
61,696
def get_attached_container_host_config_kwargs ( self , action , container_name , kwargs = None ) : if container_name : c_kwargs = { 'container' : container_name } else : c_kwargs = { } update_kwargs ( c_kwargs , kwargs ) return c_kwargs
Generates keyword arguments for the Docker client to set up the HostConfig or start an attached container .
61,697
def get_container_update_kwargs ( self , action , container_name , update_values , kwargs = None ) : c_kwargs = dict ( container = container_name ) update_kwargs ( c_kwargs , update_values , kwargs ) return c_kwargs
Generates keyword arguments for the Docker client to update the HostConfig of an existing container .
61,698
def get_container_wait_kwargs ( self , action , container_name , kwargs = None ) : c_kwargs = dict ( container = container_name ) timeout = action . client_config . get ( 'wait_timeout' ) if timeout is not None : c_kwargs [ 'timeout' ] = timeout update_kwargs ( c_kwargs , kwargs ) return c_kwargs
Generates keyword arguments for the Docker client to wait for a container .
61,699
def get_container_stop_kwargs ( self , action , container_name , kwargs = None ) : c_kwargs = dict ( container = container_name , ) stop_timeout = action . config . stop_timeout if stop_timeout is NotSet : timeout = action . client_config . get ( 'stop_timeout' ) if timeout is not None : c_kwargs [ 'timeout' ] = timeout elif stop_timeout is not None : c_kwargs [ 'timeout' ] = stop_timeout update_kwargs ( c_kwargs , kwargs ) return c_kwargs
Generates keyword arguments for the Docker client to stop a container .