2009-08-11 22:36:37 +00:00
|
|
|
#!/usr/bin/python
|
|
|
|
# Terminator by Chris Jones <cmsj@tenshu.net>
|
|
|
|
# GPL v2 only
|
2010-01-14 23:33:06 +00:00
|
|
|
"""cwd.py - function necessary to get the cwd for a given pid on various OSes
|
|
|
|
|
|
|
|
>>> cwd = get_default_cwd()
|
|
|
|
>>> cwd.__class__.__name__
|
|
|
|
'str'
|
|
|
|
>>> func = get_pid_cwd()
|
|
|
|
>>> func.__class__.__name__
|
|
|
|
'function'
|
|
|
|
|
|
|
|
"""
|
2009-08-11 22:36:37 +00:00
|
|
|
|
|
|
|
import platform
|
|
|
|
import os
|
2009-08-11 22:48:19 +00:00
|
|
|
import pwd
|
2010-07-27 12:03:55 +00:00
|
|
|
from util import dbg, err
|
2009-08-11 22:36:37 +00:00
|
|
|
|
2009-08-11 22:48:19 +00:00
|
|
|
def get_default_cwd():
|
|
|
|
"""Determine a reasonable default cwd"""
|
|
|
|
cwd = os.getcwd()
|
|
|
|
if not os.path.exists(cwd) or not os.path.isdir(cwd):
|
2011-05-03 16:49:00 +00:00
|
|
|
try:
|
|
|
|
cwd = pwd.getpwuid(os.getuid())[5]
|
|
|
|
except KeyError:
|
|
|
|
cwd = '/'
|
2009-08-18 11:59:06 +00:00
|
|
|
|
|
|
|
return(cwd)
|
2009-08-11 22:48:19 +00:00
|
|
|
|
|
|
|
def get_pid_cwd():
|
2009-08-11 22:36:37 +00:00
|
|
|
"""Determine an appropriate cwd function for the OS we are running on"""
|
|
|
|
|
|
|
|
func = lambda pid: None
|
|
|
|
system = platform.system()
|
|
|
|
|
|
|
|
if system == 'Linux':
|
|
|
|
dbg('Using Linux get_pid_cwd')
|
2010-07-27 12:03:55 +00:00
|
|
|
func = linux_get_pid_cwd
|
2009-08-11 22:36:37 +00:00
|
|
|
elif system == 'FreeBSD':
|
|
|
|
try:
|
|
|
|
import freebsd
|
|
|
|
func = freebsd.get_process_cwd
|
|
|
|
dbg('Using FreeBSD get_pid_cwd')
|
|
|
|
except (OSError, NotImplementedError, ImportError):
|
|
|
|
dbg('FreeBSD version too old for get_pid_cwd')
|
|
|
|
elif system == 'SunOS':
|
|
|
|
dbg('Using SunOS get_pid_cwd')
|
2010-07-27 12:03:55 +00:00
|
|
|
func = sunos_get_pid_cwd
|
2009-08-11 22:36:37 +00:00
|
|
|
else:
|
|
|
|
dbg('Unable to determine a get_pid_cwd for OS: %s' % system)
|
|
|
|
|
|
|
|
return(func)
|
|
|
|
|
2010-07-27 12:03:55 +00:00
|
|
|
def proc_get_pid_cwd(pid, path):
|
|
|
|
"""Extract the cwd of a PID from proc, given the PID and the /proc path to
|
|
|
|
insert it into, e.g. /proc/%s/cwd"""
|
|
|
|
try:
|
|
|
|
cwd = os.path.realpath(path % pid)
|
|
|
|
except Exception, ex:
|
|
|
|
err('Unable to get cwd for PID %s: %s' % (pid, ex))
|
|
|
|
cwd = '/'
|
|
|
|
|
|
|
|
return(cwd)
|
|
|
|
|
|
|
|
def linux_get_pid_cwd(pid):
|
|
|
|
"""Determine the cwd for a given PID on Linux kernels"""
|
|
|
|
return(proc_get_pid_cwd(pid, '/proc/%s/cwd'))
|
|
|
|
|
|
|
|
def sunos_get_pid_cwd(pid):
|
|
|
|
"""Determine the cwd for a given PID on SunOS kernels"""
|
|
|
|
return(proc_get_pid_cwd(pid, '/proc/%s/path/cwd'))
|
|
|
|
|
2009-08-11 22:36:37 +00:00
|
|
|
# vim: set expandtab ts=4 sw=4:
|