1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283
|
"""
Created on Aug 28, 2018
@author: mjasnik
"""
# defaults
_START_TIME = None
_END_TIME = None
_RESULT = 0
# imports
from datetime import datetime
import os
import pwd
import inspect
try:
import psutil
_PSUTIL = True
except (ImportError, ValueError):
_PSUTIL = False
pass
# timekpr imports
from timekpr.common.constants import constants as cons
from timekpr.common.log import log
# this is needed for debugging purposes
def whoami():
"""Return callers name from the call stack, the 0 is this function, prev is the one needd"""
return inspect.stack()[1][3]
def getNormalizedUserNames(pUID=None, pUser=None):
"""Get usernames and/or normalize them"""
user = pUser
userName = None
userNameFull = ""
try:
# if we need to get one
if pUID is not None:
# user
user = pwd.getpwuid(pUID)
# we have user
if user is not None:
# username
userName = user.pw_name
userNameFull = user.pw_gecos
# workaround for distros that have one or more "," at the end of user full name
userNameFull = userNameFull.rstrip(",")
# if username is exactly the same as full name, no need to show it separately
userNameFull = userNameFull if userNameFull != userName else ""
except KeyError:
pass
# full username
return userName, userNameFull
def measureTimeElapsed(pStart=False, pStop=False, pResult=False):
"""Calculate the time difference in the simplest manner"""
# init globals (per import)
global _START_TIME
global _END_TIME
global _RESULT
# set up start
if pStart:
_START_TIME = datetime.now()
# set up end
if pStop:
_END_TIME = datetime.now()
_RESULT = (_END_TIME - _START_TIME).total_seconds()
_START_TIME = _END_TIME
# return
return _RESULT
def checkAndSetRunning(pAppName, pUserName=""):
"""Check whether application is already running"""
# set up pidfile name
pidFile = os.path.join(cons.TK_LOG_TEMP_DIR, "%s.%s" % ((pAppName if pUserName == "" else "%s.%s" % (pAppName, pUserName)), cons.TK_LOG_PID_EXT))
processPid = "0"
processCmd = ""
isAlreadyRunning = False
# check if we have pid file for the app
if os.path.isfile(pidFile):
# if we have a file, we read the pid from there
with open(pidFile, "r") as pidfile:
processPid = pidfile.readline().rstrip("\n").rstrip("\r")
# so we have a running app, now we check whether its our app
if processPid != "0":
# get process commandline
procPidFile = os.path.join("/proc", processPid, "cmdline")
# check whether we have a process running with this pid
if os.path.isfile(procPidFile):
# we wrap this with try in case pid is very short-lived
try:
with open(procPidFile, "r") as pidfile:
processCmd = pidfile.readline()
except Exception:
processCmd = ""
# check if this is our process
if pAppName in processCmd:
# we are running
isAlreadyRunning = True
# print this to console as well
print("Timekpr-nExT \"%s\" is already running for user \"%s\"" % (pAppName, pUserName if pUserName != "" else "ŗoot"))
else:
# set our pid
with open(pidFile, "w") as pidfile:
processCmd = pidfile.write(str(os.getpid()))
# return whether we are running
return isAlreadyRunning
def killLeftoverUserProcesses(pUserName, pTimekprConfig):
"""Kill leftover processes for user"""
# if psutil is not available, do nothing
global _PSUTIL
if not _PSUTIL:
return
# determine which sessions we are going to kill (either graphical or tty)
# this is somewhat interesting as for processes we cannot exactly tell whether it's graphical or not, but we check terminal sessions,
# if terminal is not set, then it's assumed graphical or so
killTty = False
killGUI = False
killedProcesses = 0
otherProcesses = 0
# build up killing session types
sessinTypesForKill = [rSessionType for rSessionType in pTimekprConfig.getTimekprSessionsCtrl() if rSessionType not in pTimekprConfig.getTimekprSessionsExcl()]
# check for graphical
for sessionType in cons.TK_SESSION_TYPES_CTRL.split(";"):
# check for kill
if sessionType in sessinTypesForKill:
killGUI = True
break
# check for graphical
for sessionType in cons.TK_SESSION_TYPES_EXCL.split(";"):
# check for kill
if sessionType in sessinTypesForKill:
killTty = True
break
# get all processes for this user
for userProc in psutil.process_iter():
# process info
procInfo = userProc.as_dict(attrs=["pid", "ppid", "name", "username", "terminal"])
# check for username and for processes that originates from init (the rest should be terminated along with the session)
if procInfo["username"] == pUserName:
# if originates from init
if procInfo["ppid"] in (0, 1):
# normalize terminal (only real terminals are considered terminals)
terminal = procInfo["terminal"] if (procInfo["terminal"] is not None and "/dev/pts/" not in procInfo["terminal"]) else None
# logging
log.log(cons.TK_LOG_LEVEL_INFO, "INFO: got leftover process, pid: %s, ppid: %s, username: %s, name: %s, terminal: %s, effective terminal: %s" % (procInfo["pid"], procInfo["ppid"], procInfo["username"], procInfo["name"], procInfo["terminal"], terminal))
# kill processes if they are terminal and terminals are tracked or they are not terminal processes
if (terminal is not None and killTty) or (terminal is None and killGUI):
try:
# get process and kill it
userPrc = psutil.Process(procInfo["pid"])
# killing time
if cons.TK_DEV_ACTIVE:
log.log(cons.TK_LOG_LEVEL_INFO, "DEVELOPMENT ACTIVE, not killing my own processes, sorry...")
else:
# asking process to terminate
userPrc.terminate()
except psutil.Error as psErr:
log.log(cons.TK_LOG_LEVEL_INFO, "ERROR: killing %s failed (%s)" % (procInfo["pid"], str(psErr)))
pass
else:
# count killed processes
killedProcesses += 1
else:
# do not kill terminal sessions if ones are not tracked
log.log(cons.TK_LOG_LEVEL_INFO, "INFO: NOT killing process %s as it's from sessions which are not being tracked" % (procInfo["pid"]))
else:
# count other processes
otherProcesses += 1
# log
log.log(cons.TK_LOG_LEVEL_INFO, "INFO: %i session related processes were killed, %i other processes for user were not killed" % (killedProcesses, otherProcesses))
def findHourStartEndMinutes(pStr):
"""Separate name and desription in brackets"""
# hour, start, end
hour = None
sMin = None
eMin = None
uacc = None
# get len beforehand
ln = len(pStr) if pStr is not None else 0
# it makes sense to calc stuff only when there is a hour defined
if ln > 0:
# is hour unaccounted
uacc = True if pStr[0] == "!" else False
# in case of unlimited hour actual len is smaller
ln = ln - 1 if uacc else ln
# get hour (ex: 1 or 11)
if 1 <= ln <= 2:
# hour, start, end
hour = pStr[1:] if uacc else pStr
sMin = 0
eMin = 60
# get hours and minutes (ex: 1[1:1] or 11[11:22])
elif 6 <= ln <= 9:
# find minutes
beg = 1 if uacc else 0
st = pStr.find("[")
sep = pStr.find("-")
# failover to : (currently undocumented)
sep = sep if not sep < 0 else pStr.find(":")
en = pStr.find("]")
# in case user config is broken, we cannot determine stuff
if st < 0 or en < 0 or sep < 0 or not st < sep < en:
# nothing
pass
else:
# hour, start, end
try:
# determine hour and minutes (and check for errors as well)
hour = int(pStr[beg:st])
sMin = int(pStr[st+1:sep])
eMin = int(pStr[sep+1:en])
# checks for errors (and raise one if there is an error)
hour = hour if 0 <= hour <= 23 else 1/0
sMin = sMin if 0 <= sMin <= 60 else 1/0
eMin = eMin if 0 <= eMin <= 60 else 1/0
eMin = eMin if sMin < eMin else 1/0
except (ValueError, ZeroDivisionError):
# hour, start, end
hour = None
sMin = None
eMin = None
uacc = None
# return
return hour, sMin, eMin, uacc
def splitConfigValueNameParam(pStr):
"""Separate value and param in brackets"""
# name and its value
value = None
param = None
# nothing
if len(pStr) < 2:
# can not be a normal value
pass
else:
try:
# find description ("") is for backwards compatibility
st = pStr.find("(\"") # compatibility description start
en = pStr.find("\")") # compatibility description end
ln = 1 if st < 0 else 2 # compatility case searches for 2 letters, new one 1
# new style config
st = pStr.find("[") if st < 0 else st # new style config
en = pStr.find("]") if en < 0 else en # new style config
st = en if st < 0 else st # no description, we'll get just pattern
# process and its description
value = pStr[0:st if st > 0 else len(pStr)]
param = "" if st < 0 else pStr[st+ln:en if en >= 0 else len(pStr)]
except:
# it doesn't matter which error occurs
value = None
param = None
# return
return value, param
|