##// END OF EJS Templates
First draft of refactored Component->Configurable.
First draft of refactored Component->Configurable.

File last commit:

r2731:1e1fe080
r2731:1e1fe080
Show More
clusterdir.py
539 lines | 20.2 KiB | text/x-python | PythonLexer
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 #!/usr/bin/env python
# encoding: utf-8
"""
The IPython cluster directory
"""
#-----------------------------------------------------------------------------
# Copyright (C) 2008-2009 The IPython Development Team
#
# Distributed under the terms of the BSD License. The full license is in
# the file COPYING, distributed as part of this software.
#-----------------------------------------------------------------------------
#-----------------------------------------------------------------------------
# Imports
#-----------------------------------------------------------------------------
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 from __future__ import with_statement
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 import os
import shutil
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306 import sys
Fernando Perez
Fix warning on startup if user didn't have personal copies of cluster config....
r2476 import warnings
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306
from twisted.python import log
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
from IPython.config.loader import PyFileConfigLoader
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 from IPython.core.application import Application, BaseAppConfigLoader
Brian Granger
First draft of refactored Component->Configurable.
r2731 from IPython.config.configurable import Configurable
Brian Granger
More work on the crash handler....
r2506 from IPython.core.crashhandler import CrashHandler
from IPython.core import release
Brian Granger
Work to address the review comments on Fernando's branch....
r2498 from IPython.utils.path import (
get_ipython_package_dir,
expand_path
)
from IPython.utils.traitlets import Unicode
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
#-----------------------------------------------------------------------------
Fernando Perez
Fix warning on startup if user didn't have personal copies of cluster config....
r2476 # Warnings control
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 #-----------------------------------------------------------------------------
Fernando Perez
Fix warning on startup if user didn't have personal copies of cluster config....
r2476 # Twisted generates annoying warnings with Python 2.6, as will do other code
# that imports 'sets' as of today
warnings.filterwarnings('ignore', 'the sets module is deprecated',
DeprecationWarning )
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Fernando Perez
Fix warning on startup if user didn't have personal copies of cluster config....
r2476 # This one also comes from Twisted
warnings.filterwarnings('ignore', 'the sha module is deprecated',
DeprecationWarning)
#-----------------------------------------------------------------------------
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 # Module errors
Fernando Perez
Fix warning on startup if user didn't have personal copies of cluster config....
r2476 #-----------------------------------------------------------------------------
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Lots more work on the kernel scripts.
r2303 class ClusterDirError(Exception):
pass
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 class PIDFileError(Exception):
pass
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 #-----------------------------------------------------------------------------
# Class for managing cluster directories
#-----------------------------------------------------------------------------
Brian Granger
First draft of refactored Component->Configurable.
r2731 class ClusterDir(Configurable):
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 """An object to manage the cluster directory and its resources.
The cluster directory is used by :command:`ipcontroller`,
:command:`ipcontroller` and :command:`ipcontroller` to manage the
configuration, logging and security of these applications.
This object knows how to find, create and manage these directories. This
should be used by any code that want's to handle cluster directories.
"""
security_dir_name = Unicode('security')
log_dir_name = Unicode('log')
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 pid_dir_name = Unicode('pid')
security_dir = Unicode(u'')
log_dir = Unicode(u'')
pid_dir = Unicode(u'')
location = Unicode(u'')
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
def __init__(self, location):
super(ClusterDir, self).__init__(None)
self.location = location
def _location_changed(self, name, old, new):
if not os.path.isdir(new):
Brian Granger
Fixing minor bugs in IPython.kernel....
r2342 os.makedirs(new)
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 self.security_dir = os.path.join(new, self.security_dir_name)
self.log_dir = os.path.join(new, self.log_dir_name)
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 self.pid_dir = os.path.join(new, self.pid_dir_name)
Brian Granger
Semi-working refactored ipcluster....
r2302 self.check_dirs()
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
def _log_dir_changed(self, name, old, new):
Brian Granger
Semi-working refactored ipcluster....
r2302 self.check_log_dir()
def check_log_dir(self):
if not os.path.isdir(self.log_dir):
Brian Granger
Fixing minor bugs in IPython.kernel....
r2342 os.mkdir(self.log_dir)
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
def _security_dir_changed(self, name, old, new):
Brian Granger
Semi-working refactored ipcluster....
r2302 self.check_security_dir()
def check_security_dir(self):
if not os.path.isdir(self.security_dir):
os.mkdir(self.security_dir, 0700)
Brian Granger
Fixing minor bugs in IPython.kernel....
r2342 os.chmod(self.security_dir, 0700)
Brian Granger
Semi-working refactored ipcluster....
r2302
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 def _pid_dir_changed(self, name, old, new):
self.check_pid_dir()
def check_pid_dir(self):
if not os.path.isdir(self.pid_dir):
os.mkdir(self.pid_dir, 0700)
Brian Granger
Fixing minor bugs in IPython.kernel....
r2342 os.chmod(self.pid_dir, 0700)
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313
Brian Granger
Semi-working refactored ipcluster....
r2302 def check_dirs(self):
self.check_security_dir()
self.check_log_dir()
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 self.check_pid_dir()
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
def load_config_file(self, filename):
"""Load a config file from the top level of the cluster dir.
Parameters
----------
filename : unicode or str
The filename only of the config file that must be located in
the top-level of the cluster directory.
"""
loader = PyFileConfigLoader(filename, self.location)
return loader.load_config()
Brian Granger
Semi-working refactored ipcluster....
r2302 def copy_config_file(self, config_file, path=None, overwrite=False):
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 """Copy a default config file into the active cluster directory.
Default configuration files are kept in :mod:`IPython.config.default`.
This function moves these from that location to the working cluster
directory.
"""
if path is None:
import IPython.config.default
path = IPython.config.default.__file__.split(os.path.sep)[:-1]
path = os.path.sep.join(path)
src = os.path.join(path, config_file)
dst = os.path.join(self.location, config_file)
Brian Granger
Semi-working refactored ipcluster....
r2302 if not os.path.isfile(dst) or overwrite:
shutil.copy(src, dst)
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Semi-working refactored ipcluster....
r2302 def copy_all_config_files(self, path=None, overwrite=False):
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 """Copy all config files into the active cluster directory."""
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 for f in [u'ipcontroller_config.py', u'ipengine_config.py',
u'ipcluster_config.py']:
Brian Granger
Semi-working refactored ipcluster....
r2302 self.copy_config_file(f, path=path, overwrite=overwrite)
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
@classmethod
Brian Granger
Lots more work on the kernel scripts.
r2303 def create_cluster_dir(csl, cluster_dir):
"""Create a new cluster directory given a full path.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Lots more work on the kernel scripts.
r2303 Parameters
----------
cluster_dir : str
The full path to the cluster directory. If it does exist, it will
be used. If not, it will be created.
"""
return ClusterDir(cluster_dir)
@classmethod
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 def create_cluster_dir_by_profile(cls, path, profile=u'default'):
Brian Granger
Lots more work on the kernel scripts.
r2303 """Create a cluster dir by profile name and path.
Parameters
----------
path : str
The path (directory) to put the cluster directory in.
profile : str
The name of the profile. The name of the cluster directory will
be "cluster_<profile>".
"""
if not os.path.isdir(path):
raise ClusterDirError('Directory not found: %s' % path)
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 cluster_dir = os.path.join(path, u'cluster_' + profile)
Brian Granger
Lots more work on the kernel scripts.
r2303 return ClusterDir(cluster_dir)
@classmethod
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 def find_cluster_dir_by_profile(cls, ipython_dir, profile=u'default'):
Brian Granger
Lots more work on the kernel scripts.
r2303 """Find an existing cluster dir by profile name, return its ClusterDir.
This searches through a sequence of paths for a cluster dir. If it
is not found, a :class:`ClusterDirError` exception will be raised.
The search path algorithm is:
1. ``os.getcwd()``
Brian Granger
Lots of work on command line options and env vars....
r2322 2. ``ipython_dir``
Brian Granger
Lots more work on the kernel scripts.
r2303 3. The directories found in the ":" separated
Brian Granger
Lots of work on command line options and env vars....
r2322 :env:`IPCLUSTER_DIR_PATH` environment variable.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Parameters
----------
Brian Granger
Lots of work on command line options and env vars....
r2322 ipython_dir : unicode or str
Brian Granger
Lots more work on the kernel scripts.
r2303 The IPython directory to use.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 profile : unicode or str
The name of the profile. The name of the cluster directory
will be "cluster_<profile>".
"""
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 dirname = u'cluster_' + profile
Brian Granger
Lots of work on command line options and env vars....
r2322 cluster_dir_paths = os.environ.get('IPCLUSTER_DIR_PATH','')
Brian Granger
Lots more work on the kernel scripts.
r2303 if cluster_dir_paths:
cluster_dir_paths = cluster_dir_paths.split(':')
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 else:
Brian Granger
Lots more work on the kernel scripts.
r2303 cluster_dir_paths = []
Brian Granger
Lots of work on command line options and env vars....
r2322 paths = [os.getcwd(), ipython_dir] + cluster_dir_paths
Brian Granger
Lots more work on the kernel scripts.
r2303 for p in paths:
cluster_dir = os.path.join(p, dirname)
if os.path.isdir(cluster_dir):
return ClusterDir(cluster_dir)
else:
raise ClusterDirError('Cluster directory not found in paths: %s' % dirname)
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
@classmethod
def find_cluster_dir(cls, cluster_dir):
"""Find/create a cluster dir and return its ClusterDir.
This will create the cluster directory if it doesn't exist.
Parameters
----------
cluster_dir : unicode or str
The path of the cluster directory. This is expanded using
Brian Granger
Fixing subtle bug in expanduser(expandvars(path)) on Windows....
r2324 :func:`IPython.utils.genutils.expand_path`.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 """
Brian Granger
Work to address the review comments on Fernando's branch....
r2498 cluster_dir = expand_path(cluster_dir)
Brian Granger
Lots more work on the kernel scripts.
r2303 if not os.path.isdir(cluster_dir):
raise ClusterDirError('Cluster directory not found: %s' % cluster_dir)
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 return ClusterDir(cluster_dir)
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 #-----------------------------------------------------------------------------
# Command line options
#-----------------------------------------------------------------------------
class ClusterDirConfigLoader(BaseAppConfigLoader):
def _add_cluster_profile(self, parser):
paa = parser.add_argument
paa('-p', '--profile',
dest='Global.profile',type=unicode,
help=
"""The string name of the profile to be used. This determines the name
of the cluster dir as: cluster_<profile>. The default profile is named
'default'. The cluster directory is resolve this way if the
--cluster-dir option is not used.""",
metavar='Global.profile')
def _add_cluster_dir(self, parser):
paa = parser.add_argument
paa('--cluster-dir',
dest='Global.cluster_dir',type=unicode,
help="""Set the cluster dir. This overrides the logic used by the
--profile option.""",
metavar='Global.cluster_dir')
def _add_work_dir(self, parser):
paa = parser.add_argument
paa('--work-dir',
dest='Global.work_dir',type=unicode,
help='Set the working dir for the process.',
metavar='Global.work_dir')
def _add_clean_logs(self, parser):
paa = parser.add_argument
paa('--clean-logs',
dest='Global.clean_logs', action='store_true',
help='Delete old log flies before starting.')
def _add_no_clean_logs(self, parser):
paa = parser.add_argument
paa('--no-clean-logs',
dest='Global.clean_logs', action='store_false',
help="Don't Delete old log flies before starting.")
def _add_arguments(self):
super(ClusterDirConfigLoader, self)._add_arguments()
self._add_cluster_profile(self.parser)
self._add_cluster_dir(self.parser)
self._add_work_dir(self.parser)
self._add_clean_logs(self.parser)
self._add_no_clean_logs(self.parser)
Fernando Perez
Apply argparse code simplification to all kernel scripts.
r2429
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 #-----------------------------------------------------------------------------
Brian Granger
More work on the crash handler....
r2506 # Crash handler for this application
#-----------------------------------------------------------------------------
_message_template = """\
Oops, $self.app_name crashed. We do our best to make it stable, but...
A crash report was automatically generated with the following information:
- A verbatim copy of the crash traceback.
- Data on your current $self.app_name configuration.
It was left in the file named:
\t'$self.crash_report_fname'
If you can email this file to the developers, the information in it will help
them in understanding and correcting the problem.
You can mail it to: $self.contact_name at $self.contact_email
with the subject '$self.app_name Crash Report'.
If you want to do it now, the following command will work (under Unix):
mail -s '$self.app_name Crash Report' $self.contact_email < $self.crash_report_fname
To ensure accurate tracking of this issue, please file a report about it at:
$self.bug_tracker
"""
class ClusterDirCrashHandler(CrashHandler):
"""sys.excepthook for IPython itself, leaves a detailed report on disk."""
message_template = _message_template
def __init__(self, app):
contact_name = release.authors['Brian'][0]
contact_email = release.authors['Brian'][1]
bug_tracker = 'https://bugs.launchpad.net/ipython/+filebug'
super(ClusterDirCrashHandler,self).__init__(
app, contact_name, contact_email, bug_tracker
)
#-----------------------------------------------------------------------------
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 # Main application
#-----------------------------------------------------------------------------
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 class ApplicationWithClusterDir(Application):
"""An application that puts everything into a cluster directory.
Brian Granger
Lots of work on command line options and env vars....
r2322 Instead of looking for things in the ipython_dir, this type of application
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 will use its own private directory called the "cluster directory"
for things like config files, log files, etc.
The cluster directory is resolved as follows:
* If the ``--cluster-dir`` option is given, it is used.
* If ``--cluster-dir`` is not given, the application directory is
resolve using the profile name as ``cluster_<profile>``. The search
path for this directory is then i) cwd if it is found there
Brian Granger
Lots of work on command line options and env vars....
r2322 and ii) in ipython_dir otherwise.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
The config file for the application is to be put in the cluster
dir and named the value of the ``config_file_name`` class attribute.
"""
Brian Granger
Refactored the command line config system and other aspects of config....
r2501 command_line_loader = ClusterDirConfigLoader
Brian Granger
More work on the crash handler....
r2506 crash_handler_class = ClusterDirCrashHandler
Brian Granger
Lots more work on the kernel scripts.
r2303 auto_create_cluster_dir = True
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 def create_default_config(self):
super(ApplicationWithClusterDir, self).create_default_config()
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 self.default_config.Global.profile = u'default'
self.default_config.Global.cluster_dir = u''
Brian Granger
Fixing how the working directory is handled in kernel....
r2336 self.default_config.Global.work_dir = os.getcwd()
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306 self.default_config.Global.log_to_file = False
self.default_config.Global.clean_logs = False
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Lots more work on the kernel scripts.
r2303 def find_resources(self):
"""This resolves the cluster directory.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Lots more work on the kernel scripts.
r2303 This tries to find the cluster directory and if successful, it will
have done:
* Sets ``self.cluster_dir_obj`` to the :class:`ClusterDir` object for
the application.
* Sets ``self.cluster_dir`` attribute of the application and config
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 objects.
Brian Granger
Lots more work on the kernel scripts.
r2303
The algorithm used for this is as follows:
1. Try ``Global.cluster_dir``.
2. Try using ``Global.profile``.
3. If both of these fail and ``self.auto_create_cluster_dir`` is
``True``, then create the new cluster dir in the IPython directory.
4. If all fails, then raise :class:`ClusterDirError`.
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 """
try:
cluster_dir = self.command_line_config.Global.cluster_dir
except AttributeError:
cluster_dir = self.default_config.Global.cluster_dir
Brian Granger
Work to address the review comments on Fernando's branch....
r2498 cluster_dir = expand_path(cluster_dir)
Brian Granger
Lots more work on the kernel scripts.
r2303 try:
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 self.cluster_dir_obj = ClusterDir.find_cluster_dir(cluster_dir)
Brian Granger
Lots more work on the kernel scripts.
r2303 except ClusterDirError:
pass
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 else:
Brian Granger
Lots more work on the kernel scripts.
r2303 self.log.info('Using existing cluster dir: %s' % \
self.cluster_dir_obj.location
)
self.finish_cluster_dir()
return
try:
self.profile = self.command_line_config.Global.profile
except AttributeError:
self.profile = self.default_config.Global.profile
try:
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 self.cluster_dir_obj = ClusterDir.find_cluster_dir_by_profile(
Brian Granger
Lots of work on command line options and env vars....
r2322 self.ipython_dir, self.profile)
Brian Granger
Lots more work on the kernel scripts.
r2303 except ClusterDirError:
pass
else:
self.log.info('Using existing cluster dir: %s' % \
self.cluster_dir_obj.location
)
self.finish_cluster_dir()
return
if self.auto_create_cluster_dir:
self.cluster_dir_obj = ClusterDir.create_cluster_dir_by_profile(
Brian Granger
Lots of work on command line options and env vars....
r2322 self.ipython_dir, self.profile
Brian Granger
Lots more work on the kernel scripts.
r2303 )
self.log.info('Creating new cluster dir: %s' % \
self.cluster_dir_obj.location
)
self.finish_cluster_dir()
else:
raise ClusterDirError('Could not find a valid cluster directory.')
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301
Brian Granger
Lots more work on the kernel scripts.
r2303 def finish_cluster_dir(self):
Brian Granger
ipcontroller/ipengine use the new clusterdir.py module.
r2301 # Set the cluster directory
self.cluster_dir = self.cluster_dir_obj.location
# These have to be set because they could be different from the one
# that we just computed. Because command line has the highest
# priority, this will always end up in the master_config.
self.default_config.Global.cluster_dir = self.cluster_dir
self.command_line_config.Global.cluster_dir = self.cluster_dir
Brian Granger
Lots more work on the kernel scripts.
r2303 def find_config_file_name(self):
"""Find the config file name for this application."""
# For this type of Application it should be set as a class attribute.
Brian Granger
Various fixes to ipapp/ipcluster/ipengine/ipcontroller....
r2511 if not hasattr(self, 'default_config_file_name'):
Brian Granger
Lots more work on the kernel scripts.
r2303 self.log.critical("No config filename found")
Brian Granger
Various fixes to ipapp/ipcluster/ipengine/ipcontroller....
r2511 else:
self.config_file_name = self.default_config_file_name
Brian Granger
Lots more work on the kernel scripts.
r2303
def find_config_file_paths(self):
Brian Granger
Removed IPython.config.default from the default search path for ipcluster...
r2502 # Set the search path to to the cluster directory. We should NOT
# include IPython.config.default here as the default config files
# are ALWAYS automatically moved to the cluster directory.
Fernando Perez
Fix warning on startup if user didn't have personal copies of cluster config....
r2476 conf_dir = os.path.join(get_ipython_package_dir(), 'config', 'default')
Brian Granger
Removed IPython.config.default from the default search path for ipcluster...
r2502 self.config_file_paths = (self.cluster_dir,)
Brian Granger
Lots more work on the kernel scripts.
r2303
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306 def pre_construct(self):
# The log and security dirs were set earlier, but here we put them
# into the config and log them.
config = self.master_config
sdir = self.cluster_dir_obj.security_dir
self.security_dir = config.Global.security_dir = sdir
ldir = self.cluster_dir_obj.log_dir
self.log_dir = config.Global.log_dir = ldir
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 pdir = self.cluster_dir_obj.pid_dir
self.pid_dir = config.Global.pid_dir = pdir
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306 self.log.info("Cluster directory set to: %s" % self.cluster_dir)
Brian Granger
Work to address the review comments on Fernando's branch....
r2498 config.Global.work_dir = unicode(expand_path(config.Global.work_dir))
Brian Granger
The cluster applications now have a working directory option.....
r2330 # Change to the working directory. We do this just before construct
# is called so all the components there have the right working dir.
Brian Granger
Fixing how the working directory is handled in kernel....
r2336 self.to_work_dir()
Brian Granger
The cluster applications now have a working directory option.....
r2330
Brian Granger
Fixing how the working directory is handled in kernel....
r2336 def to_work_dir(self):
wd = self.master_config.Global.work_dir
Brian Granger
The cluster applications now have a working directory option.....
r2330 if unicode(wd) != unicode(os.getcwd()):
os.chdir(wd)
self.log.info("Changing to working dir: %s" % wd)
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306
def start_logging(self):
# Remove old log files
if self.master_config.Global.clean_logs:
log_dir = self.master_config.Global.log_dir
for f in os.listdir(log_dir):
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 if f.startswith(self.name + u'-') and f.endswith('.log'):
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306 os.remove(os.path.join(log_dir, f))
# Start logging to the new log file
if self.master_config.Global.log_to_file:
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 log_filename = self.name + u'-' + str(os.getpid()) + u'.log'
Brian Granger
Most of the new ipcluster is now working, including a nice client.
r2306 logfile = os.path.join(self.log_dir, log_filename)
open_log_file = open(logfile, 'w')
else:
open_log_file = sys.stdout
log.startLogging(open_log_file)
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313
bgranger
Minors fixes on Windows....
r2318 def write_pid_file(self, overwrite=False):
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 """Create a .pid file in the pid_dir with my pid.
This must be called after pre_construct, which sets `self.pid_dir`.
This raises :exc:`PIDFileError` if the pid file exists already.
"""
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 pid_file = os.path.join(self.pid_dir, self.name + u'.pid')
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 if os.path.isfile(pid_file):
pid = self.get_pid_from_file()
bgranger
Minors fixes on Windows....
r2318 if not overwrite:
raise PIDFileError(
'The pid file [%s] already exists. \nThis could mean that this '
'server is already running with [pid=%s].' % (pid_file, pid)
)
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 with open(pid_file, 'w') as f:
self.log.info("Creating pid file: %s" % pid_file)
f.write(repr(os.getpid())+'\n')
def remove_pid_file(self):
"""Remove the pid file.
This should be called at shutdown by registering a callback with
bgranger
Reworking how controller and engines startup in ipcluster....
r2335 :func:`reactor.addSystemEventTrigger`. This needs to return
``None``.
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 """
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 pid_file = os.path.join(self.pid_dir, self.name + u'.pid')
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 if os.path.isfile(pid_file):
try:
self.log.info("Removing pid file: %s" % pid_file)
os.remove(pid_file)
except:
bgranger
Minors fixes on Windows....
r2318 self.log.warn("Error removing the pid file: %s" % pid_file)
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313
def get_pid_from_file(self):
"""Get the pid from the pid file.
If the pid file doesn't exist a :exc:`PIDFileError` is raised.
"""
Brian Granger
Beginning to transition all paths, files, dirs over to unicode....
r2328 pid_file = os.path.join(self.pid_dir, self.name + u'.pid')
Brian Granger
Added .pid files to ipcluster and ipcontroller and daemon mode....
r2313 if os.path.isfile(pid_file):
with open(pid_file, 'r') as f:
pid = int(f.read().strip())
return pid
else:
Brian Granger
General work on the controller/engine/cluster startup....
r2323 raise PIDFileError('pid file not found: %s' % pid_file)
Brian Granger
Refactored the command line config system and other aspects of config....
r2501