コード例 #1
0
 def __init__(self, args):
     
     # Configuration / logger / feedback handler
     self.conf     = config.parse()
     self.log      = logger.create(__name__, self.conf.server.log)
     self.fb       = Feedback()
     
     # Actions mapper
     self.actions  = {
         'start': self._start,
         'stop': self._stop,
         'restart': self._restart,
         'status': self._status
     }
     
     # Services mapper
     self.services = {
         'portal':    {
             'apache': True,
             'label':  'portal'
         },
         'api': {
             'apache': True,
             'label':  'API server'
         },
         'socket':    {
             'apache': False,
             'pid':    self.conf.socket.pid,
             'label':  'API socket proxy',
             'start':  ['nohup', 'node', 
                 self.conf.socket.exe,
                 self.conf.socket.host, 
                 self.conf.socket.port, 
                 self.conf.socket.proto
             ]
         },
         'scheduler': {
             'apache': False,    
             'pid':    self.conf.scheduler.pid,
             'label':  'API scheduler',
             'start':  ['nohup', 'python',
                 self.conf.scheduler.exe 
             ]
         }
     }
     
     # Target action / service
     self.action   = None
     self.service  = None
     
     # Argument parser
     self.ap       = self._parse_args(args)
     
     # Server distribution and Apache service name
     self.distro   = platform.linux_distribution()[0]
コード例 #2
0
ファイル: manager.py プロジェクト: djtaylor/lense-portal
 def __init__(self):
     self.feedback = Feedback()
 
     # Configuration / logger
     self.conf   = config.parse()
     self.log    = logger.create('bootstrap', '%s/log/bootstrap.log' % L_BASE)
 
     # Bootstrap parameters
     self.params = BootstrapParams()
 
     # Server configuration file
     self.server_conf = self.params.file['config']['server_conf'][1]
     
     # Database connection
     self._connection = None
コード例 #3
0
ファイル: manager.py プロジェクト: djtaylor/lense-portal
class Bootstrap(object):
    """
    Main class object for bootstrapping the Cloudscape installation. This
    includes setting up the database and setting the admin user account.
    """
    def __init__(self):
        self.feedback = Feedback()
    
        # Configuration / logger
        self.conf   = config.parse()
        self.log    = logger.create('bootstrap', '%s/log/bootstrap.log' % L_BASE)
    
        # Bootstrap parameters
        self.params = BootstrapParams()
    
        # Server configuration file
        self.server_conf = self.params.file['config']['server_conf'][1]
        
        # Database connection
        self._connection = None
    
    def _die(self, msg):
        """
        Quit the program
        """
        self.log.error(msg)
        self.feedback.show(msg).error()
        sys.exit(1)
    
    def _deploy_config(self):
        """
        Deploy configuration files.
        """
        for f,p in self.params.file['config'].iteritems():
            if not os.path.isfile(p[1]):
                
                # Read the default file content
                c_file = open(p[0], 'r')
                c_str  = c_file.read()
                c_file.close()
                
                # Create the new configuration file
                d_file = open(p[1], 'w')
                d_file.write(c_str)
                d_file.close()
                
                # File deployed
                self.feedback.show('File <%s> deployed' % p[1]).success()
            else:
                self.feedback.show('File <%s> already deployed, skipping...' % p[1]).info()
    
        # Create the log and run directories
        for _dir in ['log', 'run']:
            dir = '%s/%s' % (L_BASE, _dir)
            if not os.path.isdir(dir):
                os.mkdir(dir)
                self.feedback.show('Created directory "%s"' % dir)
            else:
                self.feedback.show('Directory "%s" already exists, skipping...' % dir)
    
    def _get_password(self, prompt, min_length=8):
        _pass = getpass(prompt)
        
        # Make sure the password is long enough
        if not len(_pass) >= min_length:
            self.feedback.show('Password cannot be empty and must be at least %s characters long' % str(min_length)).error()
            return self._get_password(prompt, min_length)
            
        # Confirm the password
        _pass_confirm = getpass('Please confirm the password: '******'Passwords do not match, try again').error()
            return self._get_password(prompt, min_length)
        return _pass
    
    def _get_input(self, prompt, default=None):
        _input = raw_input(prompt) or default
        
        # If no input found
        if not _input:
            self.feedback.show('Must provide a value').error()
            return self._get_input(prompt, default)
        return _input
    
    def _try_mysql_root(self):
        """
        Attempt to connect to the MySQL server as root user.
        """
        try:
            self._connection = MySQLdb.connect(
                host   = self.params.input.response.get('db_host'), 
                port   = int(self.params.input.response.get('db_port')),
                user   = '******',
                passwd = self.params.input.response.get('db_root_password')
            )
            self.feedback.show('Connected to MySQL using root user').success()
        except Exception as e:
            self._die('Unable to connect to MySQL with root user: %s' % str(e))
    
    def _bootstrap_complete(self):
        """
        Brief summary of the completed bootstrap process.
        """
        
        # Portal address
        portal_addr = 'http://%s:%s/' % (
            self.params.input.response.get('portal_host'),
            self.params.input.response.get('portal_port')
        )
        
        # Print the summary
        print '\nCloudscape bootstrap complete!\n'
        print 'To start all Cloudscape processes, run "cloudscape-server start".\n'
        print 'You may access the portal using the "cloudscape" user with the password'
        print 'created during the bootstrap process (%s)\n' % portal_addr
        sys.exit(0)
    
    def _bootstrap_info(self):
        """
        Show a brief introduction and summary on the bootstrapping process.
        """
        print '\nCloudscape Bootstrap Utility\n'
        print 'The bootstrap utility is used to get a new Cloudscape installation up and'
        print 'running as quickly as possible. This will set up the database, make sure'
        print 'any required users exists, and populate the tables with seed data.\n'
    
    def _database_encryption(self):
        """
        Bootstrap the database encryption keys.
        """
        
        # Encryption attributes
        enc_attrs = {
            'key': self.params.db['attrs']['encryption']['key'],
            'meta': self.params.db['attrs']['encryption']['meta'],
            'dir': self.params.db['attrs']['encryption']['dir']
        }
        
        # Make sure neither file exists
        if os.path.isfile(enc_attrs['key']) or os.path.isfile(enc_attrs['meta']):
            return self.feedback.show('Database encryption key/meta properties already exist').warn()
        
        # Generate the encryption key
        p_keycreate = Popen(['keyczart', 'create', '--location=%s' % enc_attrs['dir'], '--purpose=crypt'])
        p_keycreate.communicate()
        if not p_keycreate.returncode == 0:
            return self.feedback.show('Failed to create database encryption key').error()
        self.feedback.show('Created database encryption key').success()
    
        # Add the encryption key
        p_keyadd = Popen(['keyczart', 'addkey', '--location=%s' % enc_attrs['dir'], '--status=primary', '--size=256'])
        p_keyadd.communicate()
        if not p_keyadd.returncode == 0:
            return self.feedback.show('Failed to add database encryption key').error()
        self.feedback.show('Added database encryption key').success()
    
    def _create_group(self, obj):
        """
        Create the default administrator group.
        """
        group = obj(APIBare(
            data = {
                'uuid': self.params.group['uuid'],
                'name': self.params.group['name'],
                'desc': self.params.group['desc'],
                'protected': self.params.group['protected']
            },
            path = 'group'
        )).launch()
        self.log.info('Received response from <%s>: %s' % (str(obj), json.dumps(group)))
        
        # If the group was not created
        if not group['valid']:
            self._die('HTTP %s: %s' % (group['code'], group['content']))
        self.feedback.show('Created default Cloudscape administrator group').success()
        
        # Return the group object
        return group
    
    def _create_user(self, obj):
        """
        Create the default administrator user account.
        """
        
        # Set the new user email/password
        user_email = self.params.input.response.get('api_admin_email', self.params.user['email'])
        user_passwd = self.params.input.response.get('api_admin_password', self.params.user['password'])
        
        # Create a new user object
        user = obj(APIBare(
            data = {
                'username': self.params.user['username'],
                'group': self.params.user['group'],
                'email': user_email,
                'password': user_passwd,
                'password_confirm': user_passwd
            },
            path = 'user'             
        )).launch()
        self.log.info('Received response from <%s>: %s' % (str(obj), json.dumps(user)))
        
        # If the user was not created
        if not user['valid']:
            self._die('HTTP %s: %s' % (user['code'], user['content']))
        self.feedback.show('Created default Cloudscape administrator account').success()
    
        # Return the user object
        return user
    
    def _create_utils(self, obj):
        """
        Create API utility entries.
        """
        for _util in self.params.utils:
            util = obj(APIBare(
                data = {
                    'path': _util['path'],
                    'desc': _util['desc'],
                    'method': _util['method'],
                    'mod': _util['mod'],
                    'cls': _util['cls'],
                    'protected': _util['protected'],
                    'enabled': _util['enabled'],
                    'object': _util['object'],
                    'object_key': _util['object_key'],
                    'rmap': json.dumps(_util['rmap'])
                },
                path = 'utilities'
            )).launch()
            
            # Store the utility UUID
            _util['uuid'] = util['data']['uuid']
            
            # If the utility was not created
            if not util['valid']:
                self._die('HTTP %s: %s' % (util['code'], util['content']))
            self.feedback.show('Created database entry for utility "%s": Path=%s, Method=%s' % (_util['cls'], _util['path'], _util['method'])).success()
    
    def _create_acl_keys(self, obj):
        """
        Create ACL key definitions.
        """
        for _acl_key in self.params.acl.keys:
            acl_key = obj(APIBare(
                data = {
                    "name": _acl_key['name'],
                    "desc": _acl_key['desc'],
                    "type_object": _acl_key['type_object'],
                    "type_global": _acl_key['type_global']
                },
                path = 'gateway/acl/objects'
            )).launch()
            
            # If the ACL key was not created
            if not acl_key['valid']:
                self._die('HTTP %s: %s' % (acl_key['code'], acl_key['content']))
                
            # Store the new ACL key UUID
            _acl_key['uuid'] = acl_key['data']['uuid']
            self.feedback.show('Created database entry for ACL key "%s"' % _acl_key['name']).success()
            
        self.log.info('ACL_KEYS: %s' % json.dumps(self.params.acl.keys, indent=4))
            
        # Setup ACL objects
        self.params.acl.set_objects()
    
    def _create_utils_access(self, g_access, key, util):
        """
        Permit access to utilities by ACL key.
        
        @param g_access: Global ACL access model
        @type  g_access: DBGatewayACLAccessGlobal
        @param key:      ACL key database model
        @type  key:      DBGatewayACLKeys
        @param util:     Utility database model
        @type  util:     DBGatewayUtilities
        """
        
        # Process ACL keys
        for k in self.params.acl.keys:
            if k['type_global']:
                for u in k['util_classes']:
                    g_access.objects.create(
                        acl = key.objects.get(uuid=k['uuid']),
                        utility = util.objects.get(cls=u)
                    ).save()
                    self.feedback.show('Granted global access to utility "%s" with ACL "%s"' % (u, k['name'])).success()
    
    def _create_acl_objects(self, obj):
        """
        Create ACL object definitions.
        """
        for _acl_obj in self.params.acl.objects:
            self.log.info('ACL_OBJ: %s' % json.dumps(_acl_obj, indent=4))
            acl_obj = obj(APIBare(
                data = {
                    "type": _acl_obj['type'],
                    "name": _acl_obj['name'],
                    "acl_mod": _acl_obj['acl_mod'],
                    "acl_cls": _acl_obj['acl_cls'],
                    "acl_key": _acl_obj['acl_key'],
                    "obj_mod": _acl_obj['obj_mod'],
                    "obj_cls": _acl_obj['obj_cls'],
                    "obj_key": _acl_obj['obj_key'],
                    "def_acl": _acl_obj['def_acl']
                },
                path = 'gateway/acl/objects'
            )).launch()
            
            # If the ACL object was not created
            if not acl_obj['valid']:
                self._die('HTTP %s: %s' % (acl_obj['code'], acl_obj['content']))
            self.feedback.show('Created database entry for ACL object "%s->%s"' % (_acl_obj['type'], _acl_obj['name'])).success()
    
    def _create_acl_access(self, obj, keys, groups):
        """
        Setup ACL group access definitions.
        """
        for access in self.params.acl.set_access(self.params.acl.keys):
            try:
                obj.objects.create(
                    acl = keys.objects.get(uuid=access['acl']),
                    owner = groups.objects.get(uuid=access['owner']),
                    allowed = access['allowed']
                ).save()
                self.feedback.show('Granted global administrator access for ACL "%s"' % access['acl_name']).success()
            except Exception as e:
                self._die('Failed to grant global access for ACL "%s": %s' % (access['acl_name'], str(e)))
    
    def _database_seed(self):
        """
        Seed the database with the base information needed to run Cloudscape.
        """
        
        # Import modules now to get the new configuration
        from cloudscape.engine.api.app.group.utils import GroupCreate
        from cloudscape.engine.api.app.user.utils import UserCreate
        from cloudscape.engine.api.app.group.models import DBGroupDetails
        from cloudscape.engine.api.app.gateway.models import DBGatewayACLGroupGlobalPermissions, DBGatewayACLKeys, \
                                                             DBGatewayACLAccessGlobal, DBGatewayUtilities
        from cloudscape.engine.api.app.gateway.utils import GatewayUtilitiesCreate, GatewayACLObjectsCreate, \
                                                            GatewayACLCreate
        
        # Setup Django models
        django.setup()
        
        # Create the administrator group and user
        group = self._create_group(GroupCreate)
        user = self._create_user(UserCreate)
    
        # Update administrator info in the server configuration
        cp = CParse()
        cp.select(self.server_conf)
        cp.set_key('user', user['data']['username'], s='admin')
        cp.set_key('group', self.params.user['group'], s='admin')
        cp.set_key('key', user['data']['api_key'], s='admin')
        cp.apply()
        self.feedback.show('[%s] Set API administrator values' % self.server_conf).success()
    
        # Create API utilities / ACL objects / ACL keys / access entries
        self._create_utils(GatewayUtilitiesCreate)
        self._create_acl_keys(GatewayACLCreate)
        self._create_utils_access(DBGatewayACLAccessGlobal, DBGatewayACLKeys, DBGatewayUtilities)
        self._create_acl_objects(GatewayACLObjectsCreate)
        self._create_acl_access(DBGatewayACLGroupGlobalPermissions, DBGatewayACLKeys, DBGroupDetails)
    
    def _read_input(self):
        """
        Read any required user input prompts
        """
        
        # Process each configuration section
        for section, obj in self.params.input.prompt.iteritems():
            print obj['label']
            print '-' * 20
        
            # Process each section input
            for key, attrs in obj['attrs'].iteritems():
                
                # Regular string input
                if attrs['type'] == 'str':
                    val = self._get_input(attrs['prompt'], attrs['default'])
                    
                # Password input
                if attrs['type'] == 'pass':
                    val = self._get_password(attrs['prompt'])
            
            
                # Store in response object
                self.params.input.set_response(key, val)
            print ''
        
        # Update and set database bootstrap attributes
        self.params.set_db()
    
    def _database(self):
        """
        Bootstrap the database and create all required tables and entries.
        """
            
        # Test the database connection
        self._try_mysql_root()
            
        # Create the database and user account
        try:
            _cursor = self._connection.cursor()
            
            # Create the database
            _cursor.execute(self.params.db['query']['create_db'])
            self.feedback.show('Created database "%s"' % self.params.db['attrs']['name']).success()
            
            # Create the database user
            _cursor.execute(self.params.db['query']['create_user'])
            _cursor.execute(self.params.db['query']['grant_user'])
            _cursor.execute(self.params.db['query']['flush_priv'])
            self.feedback.show('Created database user "%s" with grants' % self.params.db['attrs']['user']).success()
            
        except Exception as e:
            self._die('Failed to bootstrap Cloudscape database: %s' % str(e))
            
        # Close the connection
        _cursor.close()
        
        # Run Django syncdb
        try:
            app  = '%s/python/cloudscape/engine/api/manage.py' % L_BASE
            proc = Popen(['python', app, 'migrate'])
            proc.communicate()
            
            # Make sure the command ran successfully
            if not proc.returncode == 0:
                self._die('Failed to sync Django application database')
                
            # Sync success
            self.feedback.show('Synced Django application database').success()
        except Exception as e:
            self._die('Failed to sync Django application database: %s' % str(e))
            
        # Set up database encryption
        self._database_encryption()
            
        # Set up the database seed data
        self._database_seed()
         
    def _update_config(self):
        """
        Update the deployed default server configuration.
        """
        
        # Parse and update the configuration
        cp = CParse()
        cp.select(self.server_conf)
        
        # Update each section
        for section, pair in self.params.get_config().iteritems():
            for key, val in pair.iteritems():
                cp.set_key(key, val, s=section)
                
                # Format the value output
                self.feedback.show('[%s] Set key value for "%s->%s"' % (self.server_conf, section, key)).success()
            
        # Apply the configuration changes
        cp.apply()
        self.feedback.show('Applied updated server configuration').success()
            
    def run(self):
        """
        Kickstart the bootstrap process for Cloudscape.
        """
        
        # Show bootstrap information
        self._bootstrap_info()
        
        # Read user input
        self._read_input()
        
        # Bootstrap the configuration files and update
        self._deploy_config()
        self._update_config()
        
        # Bootstrap the database
        self._database()
        
        # Bootstrap complete
        self._bootstrap_complete()
コード例 #4
0
class ServiceManager:
    """
    CloudScape services manager class designed to handle starting/stopping/restarting all
    CloudScape services. This includes the API server, Socket.IO proxy server, and the
    scheduler service.
    """
    def __init__(self, args):
        
        # Configuration / logger / feedback handler
        self.conf     = config.parse()
        self.log      = logger.create(__name__, self.conf.server.log)
        self.fb       = Feedback()
        
        # Actions mapper
        self.actions  = {
            'start': self._start,
            'stop': self._stop,
            'restart': self._restart,
            'status': self._status
        }
        
        # Services mapper
        self.services = {
            'portal':    {
                'apache': True,
                'label':  'portal'
            },
            'api': {
                'apache': True,
                'label':  'API server'
            },
            'socket':    {
                'apache': False,
                'pid':    self.conf.socket.pid,
                'label':  'API socket proxy',
                'start':  ['nohup', 'node', 
                    self.conf.socket.exe,
                    self.conf.socket.host, 
                    self.conf.socket.port, 
                    self.conf.socket.proto
                ]
            },
            'scheduler': {
                'apache': False,    
                'pid':    self.conf.scheduler.pid,
                'label':  'API scheduler',
                'start':  ['nohup', 'python',
                    self.conf.scheduler.exe 
                ]
            }
        }
        
        # Target action / service
        self.action   = None
        self.service  = None
        
        # Argument parser
        self.ap       = self._parse_args(args)
        
        # Server distribution and Apache service name
        self.distro   = platform.linux_distribution()[0]
        
    def _parse_args(self, args):
        """
        Parse any command line arguments and look for the service action, and an optional service
        name if managing a specific service.
        """
        
        # Create a new ArgumentParser object
        ap = argparse.ArgumentParser(
            description     = self._return_help(),
            formatter_class = argparse.RawTextHelpFormatter
        )
        
        # Required action argument
        ap.add_argument('action', help=self._return_actions())
        
        # Optional service argument
        ap.add_argument('service', nargs='?', help=self._return_services())
        
        # Parse child arguments
        args.pop(0)
        args = vars(ap.parse_args(args))
        
        # Set the target action and service
        self.action  = None if not ('action' in args) else args['action']
        self.service = None if not ('service' in args) else args['service']
        
        # Return the argument parse object
        return ap
        
    def _return_help(self):
        """
        Return the utility help prompt.
        """
        return ('CloudScape Server Manager\n\n'
                'Manage the available CloudScape server processes. This utility is used to start, stop, and\n'
                'restart the CloudScape portal, API, socket proxy, and task scheduler. You may specify an\n'
                'optional service argument to manage individual services.')
    
    def _return_actions(self):
        """
        Return a list of available actions.
        """
        return ('stop       Stop all server processes or the target service\n'
                'start      Start all server processes or the target service\n'
                'restart    Restart all server processes or the target service\n'
                'status     Get the status of each server process or the target service')
        
    def _return_services(self):
        """
        Return a list of available services.
        """
        return ('portal     The web portal interface\n'
                'api        The API server\n'
                'socket     The socket proxy server\n'
                'scheduler  The API scheduler service')
        
    def _is_running(self, pid_file):
        """
        Check if a target process is running by the PID file.
        """
        try:
            pid_num = open(pid_file, 'r').read()
            try:
                os.kill(int(pid_num), 0)
                return pid_num
            except:
                os.remove(pid_file)
                return False
        except:
            return False

    def _apache(self):
        """
        Get the Apache service name depending on the current distribution.
        """
        if self.distro.lower() == 'centos':
            return 'httpd'
        if self.distro.lower() == 'ubuntu':
            return 'apache2'
        
    def _apache_running(self):
        """
        Check if Apache is running.
        """
        if self.distro.lower() == 'centos':
            check_apache_cmd = 'service httpd status'
        if self.distro.lower() == 'ubuntu':
            check_apache_cmd = 'service apache2 status'
        
        # Check if Apache is running
        process = subprocess.Popen(check_apache_cmd, shell=True,
            stdout=subprocess.PIPE, 
            stderr=subprocess.PIPE)
        out, err = process.communicate()
        if re.match(r'^.*is[ ]running.*$', out):
            return True
        else:
            return False
    
    def _start(self):
        """
        Start the service process.
        """
        
        # Apache start flag
        apache_started = False
        
        # Process each service definition
        for srv_name, srv_attr in self.services.iteritems():
            
            # If targeting a specific service
            if self.service:
                if not self.service == srv_name:
                    continue
        
            # If the service is managed by Apache
            if srv_attr['apache']:
                
                # If Apache is not running
                if not self._apache_running():
                    
                    # Start Apache
                    try:
                        output = open(os.devnull, 'w')
                        proc   = subprocess.Popen(['service', self._apache(), 'start'], shell=False, stdout=output, stderr=output)
                    
                    # Failed to start Apache
                    except Exception as e:
                        self.fb.show('CloudScape %s failed to start...' % srv_attr['label']).error()
                        sys.exit(1)
                    
                    # Apache started
                    self.fb.show('Starting CloudScape %s...' % srv_attr['label']).success()
                    apache_started = True
                    
                # If Apache is already running
                else:
                    
                    # If Apache was started earlier
                    if apache_started:
                        self.fb.show('Starting CloudScape %s...' % srv_attr['label']).success()
                    else:
                        self.fb.show('CloudScape %s already running...' % srv_attr['label']).info()
                
            # If the service is an independent process
            else:
                
                # Check if the service is running
                pid = self._is_running(srv_attr['pid'])
        
                # If the service is not running
                if not pid:
                    try:
                    
                        # Set stdout/stderr redirection
                        output = open(os.devnull, 'w')
            
                        # Start the process and get the PID number
                        proc   = subprocess.Popen(srv_attr['start'], shell=False, stdout=output, stderr=output)
                        pnum   = str(proc.pid)
                        
                    # Failed to start the process
                    except Exception as e:
                        self.fb.show('Failed to start CloudScape %s...' % srv_attr['label']).error()
                        sys.exit(1)
                        
                    # Service started
                    self.fb.show('Starting CloudScape %s [PID %s]...' % (srv_attr['label'], pnum)).success()
                    
                    # Make sure the PID file directory exists
                    if not os.path.exists('%s/run' % self.conf.base):
                        os.makedirs('%s/run' % self.conf.base, 0750)
                        
                    # Create or update the PID file
                    open(srv_attr['pid'], 'w').write(pnum)
                    
                # If the service is already running
                else:
                    self.fb.show('CloudScape %s already running [PID %s]...' % (srv_attr['label'], pid)).info()
    
    def _stop(self):
        """
        Stop the CloudScape services.
        """
        
        # Apache stop flag
        apache_stopped = False
        
        # Process each service definition
        for srv_name, srv_attr in self.services.iteritems():
            
            # If targeting a specific service
            if self.service:
                if not self.service == srv_name:
                    continue
        
            # If the service is managed by Apache
            if srv_attr['apache']:
                
                # If Apache is running
                if self._apache_running():
                    try:
                        output = open(os.devnull, 'w')
                        proc   = subprocess.Popen(['service', self._apache(), 'stop'], shell=False, stdout=output, stderr=output)
                        pnum   = str(proc.pid)
                    
                    # Failed to stop Apache
                    except Exception as e:
                        self.fb.show('Failed to stop CloudScape %s...' % srv_attr['label']).error()
                        sys.exit(1)
                        
                    # Apache stopped
                    self.fb.show('Stopping CloudScape %s...' % srv_attr['label']).success()
                    apache_stopped = True
                    
                # If Apache is already stopped
                else:
                    
                    # If Apache was stopped earlier
                    if apache_started:
                        self.fb.show('Stopping CloudScape %s...' % srv_attr['label']).success()
                    else:
                        self.fb.show('CloudScape %s already stopped...' % srv_attr['label']).info()
                
            # If the service is an independent process
            else:
        
                # If the service is running
                if self._is_running(srv_attr['pid']):
            
                    # Get the PID number and kill the process
                    pnum = open(srv_attr['pid'], 'r').read()
                    os.kill(int(pnum), 9)
                    
                    # Remove the PID file
                    os.remove(srv_attr['pid'])
                    
                    # If the process failed to stop
                    if self._is_running(srv_attr['pid']):
                        self.fb.show('Failed to stop CloudScape %s...' % srv_attr['label']).error()
                        sys.exit(1)
                        
                    # Process successfully stopped
                    else:
                        self.fb.show('Stopping CloudScape %s...' % srv_attr['label']).success()
                    
                # If the service is already stopped
                else:
                    self.fb.show('CloudScape %s already stopped...' % srv_attr['label']).info()
    
    def _restart(self):
        """
        Restart the CloudScape services.
        """
        self._stop()
        self._start()
    
    def _status(self):
        """
        Get the CloudScape service status.
        """
        for srv_name, srv_attr in self.services.iteritems():
            
            # If targeting a specific service
            if self.service:
                if not self.service == srv_name:
                    continue
            
            # If the service is managed by Apache
            if srv_attr['apache']:
                
                # Set the status
                status = 'running' if (self._apache_running()) else 'stopped'
                
                # Show the managed service status
                self.fb.show('CloudScape %s is %s...' % (srv_attr['label'], status)).info()
                    
            # If the service is an independent process
            else:
                
                # Check if the service is running
                pid    = self._is_running(srv_attr['pid'])
                
                # Set the status
                status = 'running [PID %s]' % pid if pid else 'stopped'
        
                # Show the service status
                self.fb.show('CloudScape %s is %s...' % (srv_attr['label'], status)).info()
        
    def handler(self):
        """
        Worker method for launching the service handler.
        """
        
        # Make sure the action is valid
        if not self.action or not (self.action in self.actions):
            self.ap.print_help()
            self.ap.exit()
            
        # Make sure the service is valid if specified
        if self.service:
            if not self.service in self.services:
                self.ap.print_help()
                self.ap.exit()
        
        # Run the action handler
        self.actions[self.action]()