New implementation using Python and "watchdog"
This version collects the events in a separate thread, and doesn't gobble up events. So hopefully it's more robust, in addition to being easier to read. One downside of using the "watchdog" module is that it only exposes file/dir modification events. So if I ever want to keep track of opened files, I'll have to call inotifywait again.
This commit is contained in:
@@ -10,7 +10,7 @@ RUN echo "force-unsafe-io" > /etc/dpkg/dpkg.cfg.d/02apt-speedup \
|
||||
|
||||
RUN set -x \
|
||||
&& apt-get update \
|
||||
&& apt-get install -y inotify-tools wget \
|
||||
&& apt-get install -y python3-watchdog wget \
|
||||
&& apt-get clean \
|
||||
&& rm -rf /var/lib/apt/lists/* /tmp/* /var/tmp/*
|
||||
|
||||
@@ -29,11 +29,11 @@ RUN chmod a+rwX /files
|
||||
ADD sample.conf /files/sample.conf
|
||||
RUN chmod a+r /files/sample.conf
|
||||
|
||||
# Add scripts. Make sure start.sh and monitor.sh are executable by $UID
|
||||
# Add scripts. Make sure start.sh and monitor.py are executable by $UID
|
||||
ADD start.sh /files/
|
||||
RUN chmod a+x /files/start.sh
|
||||
ADD monitor.sh /files/
|
||||
RUN chmod a+x /files/monitor.sh
|
||||
ADD monitor.py /files/
|
||||
RUN chmod a+x /files/monitor.py
|
||||
ADD runas.sh /files/
|
||||
RUN chmod +x /files/runas.sh
|
||||
ADD mapids.sh /files/
|
||||
|
||||
292
monitor.py
Executable file
292
monitor.py
Executable file
@@ -0,0 +1,292 @@
|
||||
#!/usr/bin/python3
|
||||
|
||||
import datetime
|
||||
import json
|
||||
import logging
|
||||
import os
|
||||
import re
|
||||
import subprocess
|
||||
import sys
|
||||
import tempfile
|
||||
import time
|
||||
from watchdog.observers import Observer
|
||||
from watchdog.events import FileSystemEventHandler
|
||||
|
||||
RUNAS = "/files/runas.sh"
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def remove_linefeeds(input_filename):
|
||||
temp = tempfile.NamedTemporaryFile(delete=False)
|
||||
|
||||
with open(input_filename, "r") as input_file:
|
||||
with open(temp.name, "w") as output_file:
|
||||
for line in input_file:
|
||||
output_file.write(line)
|
||||
|
||||
return temp.name
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def to_seconds(timestr):
|
||||
hms = timestr.split(':')
|
||||
|
||||
seconds = 0
|
||||
|
||||
while hms:
|
||||
seconds *= 60
|
||||
seconds += int(hms.pop(0))
|
||||
|
||||
return seconds
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def read_config(config_file):
|
||||
config_file = remove_linefeeds(config_file)
|
||||
|
||||
# Shenanigans to read bash format config file. I didn't want to ask them to change their config files.
|
||||
source_command = 'source {}'.format(config_file)
|
||||
dump_command = '/usr/bin/python3 -c "import os, json;print(json.dumps(dict(os.environ)))"'
|
||||
|
||||
pipe = subprocess.Popen(['/bin/bash', '-c', 'set -a && {} && {}'.format(source_command,dump_command)],
|
||||
stdout=subprocess.PIPE)
|
||||
|
||||
string = pipe.stdout.read().decode('ascii')
|
||||
env = json.loads(string)
|
||||
|
||||
class Args:
|
||||
pass
|
||||
|
||||
args = Args()
|
||||
|
||||
if not os.path.isdir(env["WATCH_DIR"]):
|
||||
logging.error("Configuration error. WATCH_DIR must be a directory.")
|
||||
sys.exit(1)
|
||||
args.watch_dir = env["WATCH_DIR"]
|
||||
|
||||
if not re.match("([0-9]{1,2}:){0,2}[0-9]{1,2}", env["SETTLE_DURATION"]):
|
||||
logging.error("Configuration error. SETTLE_DURATION must be defined as HH:MM:SS or MM:SS or SS.")
|
||||
sys.exit(1)
|
||||
args.settle_duration = to_seconds(env["SETTLE_DURATION"])
|
||||
|
||||
if not re.match("([0-9]{1,2}:){0,2}[0-9]{1,2}", env["MAX_WAIT_TIME"]):
|
||||
logging.error("Configuration error. MAX_WAIT_TIME must be defined as HH:MM:SS or MM:SS or SS.")
|
||||
sys.exit(1)
|
||||
args.max_wait_time = to_seconds(env["MAX_WAIT_TIME"])
|
||||
|
||||
if args.settle_duration > args.max_wait_time:
|
||||
logging.error("Configuration error. SETTLE_DURATION cannot be greater than MAX_WAIT_TIME.")
|
||||
sys.exit(1)
|
||||
|
||||
if not re.match("([0-9]{1,2}:){0,2}[0-9]{1,2}", env["MIN_PERIOD"]):
|
||||
logging.error("Configuration error. MIN_PERIOD must be defined as HH:MM:SS or MM:SS or SS.")
|
||||
sys.exit(1)
|
||||
args.min_period = to_seconds(env["MIN_PERIOD"])
|
||||
|
||||
if not re.match("[0-9]{1,}", env["USER_ID"]):
|
||||
logging.error("Configuration error. USER_ID must be a whole number.")
|
||||
sys.exit(1)
|
||||
args.user_id = env["USER_ID"]
|
||||
|
||||
if not re.match("[0-9]{1,}", env["GROUP_ID"]):
|
||||
logging.error("Configuration error. GROUP_ID must be a whole number.")
|
||||
sys.exit(1)
|
||||
args.group_id = env["GROUP_ID"]
|
||||
|
||||
if not env["COMMAND"]:
|
||||
logging.error("Configuration error. COMMAND must be defined.")
|
||||
sys.exit(1)
|
||||
args.command = env["COMMAND"]
|
||||
|
||||
if not re.match("0[0-7]{3}", env["UMASK"]):
|
||||
logging.error("Configuration error. UMASK must be defined as an octal 0### number.")
|
||||
sys.exit(1)
|
||||
args.umask = env["UMASK"]
|
||||
|
||||
if "DEBUG" in env and not re.match("[01]", env["DEBUG"]):
|
||||
logging.error("Configuration error. DEBUG must be defined as 0 or 1.")
|
||||
sys.exit(1)
|
||||
args.debug = "DEBUG" in env and env["DEBUG"] == "1"
|
||||
|
||||
if not re.match("[01]", env["IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING"]):
|
||||
logging.error("Configuration error. IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING must be defined as 0 or 1.")
|
||||
sys.exit(1)
|
||||
args.ignore_events_while_command_is_running = env["IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING"] == "1"
|
||||
|
||||
logging.info("CONFIGURATION:")
|
||||
logging.info(" WATCH_DIR=%s", args.watch_dir)
|
||||
logging.info("SETTLE_DURATION=%s", args.settle_duration)
|
||||
logging.info(" MAX_WAIT_TIME=%s", args.max_wait_time)
|
||||
logging.info(" MIN_PERIOD=%s", args.min_period)
|
||||
logging.info(" COMMAND=%s", args.command)
|
||||
logging.info(" USER_ID=%s", args.user_id)
|
||||
logging.info(" GROUP_ID=%s", args.group_id)
|
||||
logging.info(" UMASK=%s", args.umask)
|
||||
logging.info(" DEBUG=%s", args.debug)
|
||||
logging.info("IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING=%s", args.ignore_events_while_command_is_running)
|
||||
|
||||
return args
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
# This is the main watchdog class. When a new event is detected, the class keeps track of the time since that event was
|
||||
# detected, as well as the time since any event was detected. After being reset, it starts looking for a new event
|
||||
# again.
|
||||
#
|
||||
# This class runs in parallel with the rest of the program, so we shouldn't be missing any events due to not listening
|
||||
# at the time.
|
||||
class ModifyHandler(FileSystemEventHandler):
|
||||
_detected_event, _detected_time, _last_event_time, _enabled = None, None, None, True
|
||||
|
||||
def on_any_event(self, event):
|
||||
if not self._enabled:
|
||||
return
|
||||
|
||||
# Ignore changes to the watch dir itself. event.src_path doesn't exist for delete events
|
||||
if os.path.exists(event.src_path) and os.path.samefile(args.watch_dir, event.src_path):
|
||||
return
|
||||
|
||||
self._last_event_time = datetime.datetime.now()
|
||||
|
||||
if not self._detected_event:
|
||||
self._detected_event = event
|
||||
self._detected_time = self._last_event_time
|
||||
|
||||
def enable_monitoring(self, enabled):
|
||||
self._enabled = enabled
|
||||
|
||||
def detected_event(self):
|
||||
return self._detected_event
|
||||
|
||||
def reset(self):
|
||||
self._detected_event = None
|
||||
self._detected_time = None
|
||||
|
||||
def time_since_detected(self):
|
||||
return (datetime.datetime.now() - self._detected_time).total_seconds()
|
||||
|
||||
def time_since_last_event(self):
|
||||
return (datetime.datetime.now() - self._last_event_time).total_seconds()
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def run_command(args, event_handler):
|
||||
# Reset before, in case IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING is set, and new events come in while the command is
|
||||
# running
|
||||
event_handler.reset()
|
||||
|
||||
logging.info("Running command with user ID %s, group ID %s, and umask %s", args.user_id, args.group_id, args.umask)
|
||||
logging.info("vvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv")
|
||||
|
||||
event_handler.enable_monitoring(not args.ignore_events_while_command_is_running)
|
||||
process = subprocess.run([RUNAS, args.user_id, args.group_id, args.umask, args.command])
|
||||
event_handler.enable_monitoring(True)
|
||||
|
||||
logging.info("^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^")
|
||||
logging.info("Finished running command. Exit code was %i", process.returncode)
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def wait_for_change(event_handler):
|
||||
logging.info("Waiting for new change")
|
||||
|
||||
while True:
|
||||
event = event_handler.detected_event()
|
||||
|
||||
if event:
|
||||
logging.info("Detected change to %s %s", "directory" if event.is_directory else "file", event.src_path)
|
||||
return
|
||||
|
||||
time.sleep(.1)
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def wait_for_events_to_stabilize(settle_duration, max_wait_time, event_handler):
|
||||
logging.info("Waiting for watch directory to stabilize for %i seconds before triggering command", settle_duration)
|
||||
|
||||
while True:
|
||||
if event_handler.time_since_last_event() >= settle_duration:
|
||||
logging.info("Watch directory stabilized for %s seconds. Triggering command.", settle_duration)
|
||||
return
|
||||
elif event_handler.time_since_detected() >= max_wait_time:
|
||||
logging.warn("WARNING: Watch directory didn't stabilize for %s seconds. Triggering command anyway.",
|
||||
max_wait_time)
|
||||
return
|
||||
|
||||
time.sleep(.1)
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
def block_until_min_period(min_period, last_command_run):
|
||||
seconds_since_last_run = (datetime.datetime.now() - last_command_run).total_seconds()
|
||||
|
||||
if seconds_since_last_run >= min_period:
|
||||
return
|
||||
|
||||
logging.info("Command triggered, but it's too soon to run the command again. Waiting another %i seconds",
|
||||
args.min_period - seconds_since_last_run)
|
||||
|
||||
time.sleep(min_period - seconds_since_last_run)
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
config_file = sys.argv[1]
|
||||
|
||||
name = os.path.splitext(os.path.basename(config_file))[0]
|
||||
|
||||
logging.basicConfig(level=logging.INFO, format='[%(asctime)s] {}: %(message)s'.format(name), datefmt='%Y-%m-%d %H:%M:%S')
|
||||
|
||||
args = read_config(config_file)
|
||||
|
||||
#args["DEBUG"] = True
|
||||
|
||||
if args.debug:
|
||||
logging.getLogger().setLevel(logging.DEBUG)
|
||||
|
||||
|
||||
logging.info("Starting monitor for %s", name)
|
||||
|
||||
# Launch the watchdog
|
||||
event_handler = ModifyHandler()
|
||||
observer = Observer()
|
||||
observer.schedule(event_handler, args.watch_dir, recursive=True)
|
||||
observer.start()
|
||||
|
||||
try:
|
||||
# Initialize this to some time in the past
|
||||
last_command_run = datetime.datetime.now() - datetime.timedelta(seconds=args.min_period+10)
|
||||
|
||||
# To help keep myself sane. "waiting for change" -> "waiting to stabilize or time out" -> "command triggered" ->
|
||||
# "command running" -> "waiting for change". We can also go from "command triggered" -> "waiting to stabilize or
|
||||
# time out", if new changes are detected while we're waiting for the min_period to expire.
|
||||
state = "waiting for change"
|
||||
|
||||
while True:
|
||||
# Need to put an "if" on this state because the loop can restart if new changes are detected while waiting for
|
||||
# min_period to expire.
|
||||
if state == "waiting for change":
|
||||
wait_for_change(event_handler)
|
||||
state = "waiting to stabilize or time out"
|
||||
|
||||
wait_for_events_to_stabilize(args.settle_duration, args.max_wait_time, event_handler)
|
||||
state = "command triggered"
|
||||
|
||||
block_until_min_period(args.min_period, last_command_run)
|
||||
|
||||
# In case new events came in while we were sleeping. (But skip this if we've already waited our max_wait_time)
|
||||
if event_handler.time_since_last_event() < args.settle_duration and \
|
||||
event_handler.time_since_detected() < args.max_wait_time:
|
||||
logging.info("Detected new changes while waiting.")
|
||||
state = "waiting to stabilize or time out"
|
||||
continue
|
||||
|
||||
state = "command running"
|
||||
run_command(args, event_handler)
|
||||
last_command_run = datetime.datetime.now()
|
||||
state = "waiting for change"
|
||||
except KeyboardInterrupt:
|
||||
observer.stop()
|
||||
|
||||
observer.join()
|
||||
|
||||
sys.exit(0)
|
||||
243
monitor.sh
243
monitor.sh
@@ -1,243 +0,0 @@
|
||||
#!/bin/bash
|
||||
|
||||
CONFIG_FILE=$1
|
||||
NAME=$(basename $CONFIG_FILE .conf)
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function ts {
|
||||
echo [`date '+%b %d %X'`] $NAME:
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function is_change_event {
|
||||
EVENT="$1"
|
||||
INFO="$2"
|
||||
|
||||
# File events
|
||||
if [ "$EVENT" == "ATTRIB" ]
|
||||
then
|
||||
echo "$(ts) Detected file attribute change: $INFO"
|
||||
elif [ "$EVENT" == "CLOSE_WRITE,CLOSE" ]
|
||||
then
|
||||
EVENT=CLOSE_WRITE
|
||||
echo "$(ts) Detected new file: $INFO"
|
||||
elif [ "$EVENT" == "MOVED_TO" ]
|
||||
then
|
||||
echo "$(ts) Detected file moved into dir: $INFO"
|
||||
elif [ "$EVENT" == "MOVED_FROM" ]
|
||||
then
|
||||
echo "$(ts) Detected file moved out of dir: $INFO"
|
||||
elif [ "$EVENT" == "DELETE" ]
|
||||
then
|
||||
echo "$(ts) Detected deleted file: $INFO"
|
||||
|
||||
# Directory events
|
||||
elif [ "$EVENT" == "ATTRIB,ISDIR" ]
|
||||
then
|
||||
echo "$(ts) Detected dir attribute change: $INFO"
|
||||
elif [ "$EVENT" == "CREATE,ISDIR" ]
|
||||
then
|
||||
echo "$(ts) Detected new dir: $INFO"
|
||||
elif [ "$EVENT" == "MOVED_TO,IS_DIR" ]
|
||||
then
|
||||
echo "$(ts) Detected dir moved into dir: $INFO"
|
||||
elif [ "$EVENT" == "MOVED_FROM,IS_DIR" ]
|
||||
then
|
||||
echo "$(ts) Detected dir moved out of dir: $INFO"
|
||||
elif [ "$EVENT" == "DELETE,ISDIR" ]
|
||||
then
|
||||
echo "$(ts) Detected deleted dir: $INFO"
|
||||
|
||||
else
|
||||
return 1
|
||||
fi
|
||||
|
||||
return 0
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function check_config {
|
||||
if [[ ! -d "$WATCH_DIR" ]]; then
|
||||
echo "$(ts) WATCH_DIR specified in $CONFIG_FILE must be a directory."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
if [[ ! "$SETTLE_DURATION" =~ ^([0-9]{1,2}:){0,2}[0-9]{1,2}$ ]]; then
|
||||
echo "$(ts) SETTLE_DURATION must be defined in $CONFIG_FILE as HH:MM:SS or MM:SS or SS."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
if [[ ! "$MAX_WAIT_TIME" =~ ^([0-9]{1,2}:){0,2}[0-9]{1,2}$ ]]; then
|
||||
echo "$(ts) MAX_WAIT_TIME must be defined in $CONFIG_FILE as HH:MM:SS or MM:SS or SS."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
if [[ ! "$MIN_PERIOD" =~ ^([0-9]{1,2}:){0,2}[0-9]{1,2}$ ]]; then
|
||||
echo "$(ts) MIN_PERIOD must be defined in $CONFIG_FILE as HH:MM:SS or MM:SS or SS."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
if [[ ! "$USER_ID" =~ ^[0-9]{1,}$ ]]; then
|
||||
echo "$(ts) USER_ID must be defined in $CONFIG_FILE as a whole number."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
if [[ ! "$GROUP_ID" =~ ^[0-9]{1,}$ ]]; then
|
||||
echo "$(ts) GROUP_ID must be defined in $CONFIG_FILE as a whole number."
|
||||
exit 1
|
||||
fi
|
||||
|
||||
if [ -z "$COMMAND" ]; then
|
||||
echo "$(ts) COMMAND must be defined in $CONFIG_FILE"
|
||||
exit 1
|
||||
fi
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function to_seconds {
|
||||
readarray elements < <(echo $1 | tr ':' '\n' | tac)
|
||||
|
||||
SECONDS=0
|
||||
POWER=1
|
||||
|
||||
for (( i=0 ; i<${#elements[@]}; i++ )) ; do
|
||||
SECONDS=$(( 10#$SECONDS + 10#${elements[i]} * 10#$POWER ))
|
||||
POWER=$(( 10#$POWER * 60 ))
|
||||
done
|
||||
|
||||
echo "$SECONDS"
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function wait_for_events_to_stabilize {
|
||||
start_time=$(date +"%s")
|
||||
|
||||
while true
|
||||
do
|
||||
if read -t $SETTLE_DURATION RECORD
|
||||
then
|
||||
end_time=$(date +"%s")
|
||||
|
||||
if [ $(($end_time-$start_time)) -gt $MAX_WAIT_TIME ]
|
||||
then
|
||||
echo "$(ts) Input directory didn't stabilize after $MAX_WAIT_TIME seconds. Triggering command anyway."
|
||||
break
|
||||
fi
|
||||
else
|
||||
echo "$(ts) Input directory stabilized for $SETTLE_DURATION seconds. Triggering command."
|
||||
break
|
||||
fi
|
||||
done
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function wait_for_minimum_period {
|
||||
last_run_time=$1
|
||||
|
||||
time_since_last_run=$(($(date +"%s")-$last_run_time))
|
||||
if [ $time_since_last_run -lt $MIN_PERIOD ]
|
||||
then
|
||||
remaining_time=$(($MIN_PERIOD-$time_since_last_run))
|
||||
|
||||
echo "$(ts) Waiting an additional $remaining_time seconds before running command"
|
||||
fi
|
||||
|
||||
# Process events while we wait for $MIN_PERIOD to expire
|
||||
while [ $time_since_last_run -lt $MIN_PERIOD ]
|
||||
do
|
||||
remaining_time=$(($MIN_PERIOD-$time_since_last_run))
|
||||
|
||||
read -t $remaining_time RECORD
|
||||
|
||||
time_since_last_run=$(($(date +"%s")-$last_run_time))
|
||||
done
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
function wait_for_command_to_complete {
|
||||
PID=$1
|
||||
|
||||
while ps -p $PID > /dev/null
|
||||
do
|
||||
sleep .1
|
||||
|
||||
if [[ "$IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING" == "1" ]]
|
||||
then
|
||||
# -t 0 didn't work for me. Seemed to return success with no RECORD
|
||||
while read -t 0.001 RECORD; do :; done
|
||||
fi
|
||||
done
|
||||
}
|
||||
|
||||
#-----------------------------------------------------------------------------------------------------------------------
|
||||
|
||||
echo "$(ts) Starting monitor for $CONFIG_FILE"
|
||||
|
||||
tr -d '\r' < $CONFIG_FILE > /tmp/$NAME.conf
|
||||
|
||||
. /tmp/$NAME.conf
|
||||
|
||||
check_config
|
||||
|
||||
SETTLE_DURATION=$(to_seconds $SETTLE_DURATION)
|
||||
MAX_WAIT_TIME=$(to_seconds $MAX_WAIT_TIME)
|
||||
MIN_PERIOD=$(to_seconds $MIN_PERIOD)
|
||||
|
||||
echo "$(ts) CONFIGURATION:"
|
||||
echo "$(ts) WATCH_DIR=$WATCH_DIR"
|
||||
echo "$(ts) SETTLE_DURATION=$SETTLE_DURATION"
|
||||
echo "$(ts) MAX_WAIT_TIME=$MAX_WAIT_TIME"
|
||||
echo "$(ts) MIN_PERIOD=$MIN_PERIOD"
|
||||
echo "$(ts) COMMAND=$COMMAND"
|
||||
echo "$(ts) USER_ID=$USER_ID"
|
||||
echo "$(ts) GROUP_ID=$GROUP_ID"
|
||||
echo "$(ts) UMASK=$UMASK"
|
||||
echo "$(ts) DEBUG=$DEBUG"
|
||||
echo "$(ts) IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING=$IGNORE_EVENTS_WHILE_COMMAND_IS_RUNNING"
|
||||
|
||||
pipe=$(mktemp -u)
|
||||
mkfifo $pipe
|
||||
|
||||
echo "$(ts) Waiting for changes to $WATCH_DIR..."
|
||||
inotifywait -r -m -q --format 'EVENT=%e WATCHED=%w FILE=%f' $WATCH_DIR >$pipe &
|
||||
|
||||
last_run_time=0
|
||||
|
||||
while true
|
||||
do
|
||||
if read RECORD
|
||||
then
|
||||
if [[ "$DEBUG" == "1" ]]
|
||||
then
|
||||
echo "$(ts) [DEBUG] $RECORD"
|
||||
fi
|
||||
|
||||
EVENT=$(echo "$RECORD" | sed 's/EVENT=\([^ ]*\).*/\1/')
|
||||
INFO=$(echo "$RECORD" | sed 's/EVENT=[^ ]* //')
|
||||
|
||||
if ! is_change_event "$EVENT" "$INFO"
|
||||
then
|
||||
continue
|
||||
fi
|
||||
|
||||
# Monster up as many events as possible, until we hit the either the settle duration, or the max wait threshold.
|
||||
wait_for_events_to_stabilize
|
||||
|
||||
# Wait until it's okay to run the command again, monstering up events as we do so
|
||||
wait_for_minimum_period $last_run_time
|
||||
|
||||
echo "$(ts) Running command with user ID $USER_ID and group ID $GROUP_ID"
|
||||
/files/runas.sh $USER_ID $GROUP_ID $UMASK $COMMAND &
|
||||
PID=$!
|
||||
last_run_time=$(date +"%s")
|
||||
|
||||
wait_for_command_to_complete $PID
|
||||
fi
|
||||
done <$pipe
|
||||
Reference in New Issue
Block a user