Bases: PatternMatchingEventHandler
NebulaEventHandler handles file system events for .sh scripts.
This class monitors the creation, modification, and deletion of .sh scripts
in a specified directory.
Source code in nebula/controller.py
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 | class NebulaEventHandler(PatternMatchingEventHandler):
"""
NebulaEventHandler handles file system events for .sh scripts.
This class monitors the creation, modification, and deletion of .sh scripts
in a specified directory.
"""
patterns = ["*.sh", "*.ps1"]
def __init__(self):
super(NebulaEventHandler, self).__init__()
self.last_processed = {}
self.timeout_ns = 5 * 1e9
self.processing_files = set()
self.lock = threading.Lock()
def _should_process_event(self, src_path: str) -> bool:
current_time_ns = time.time_ns()
logging.info(f"Current time (ns): {current_time_ns}")
with self.lock:
if src_path in self.last_processed:
logging.info(f"Last processed time for {src_path}: {self.last_processed[src_path]}")
last_time = self.last_processed[src_path]
if current_time_ns - last_time < self.timeout_ns:
return False
self.last_processed[src_path] = current_time_ns
return True
def _is_being_processed(self, src_path: str) -> bool:
with self.lock:
if src_path in self.processing_files:
logging.info(f"Skipping {src_path} as it is already being processed.")
return True
self.processing_files.add(src_path)
return False
def _processing_done(self, src_path: str):
with self.lock:
if src_path in self.processing_files:
self.processing_files.remove(src_path)
def on_created(self, event):
"""
Handles the event when a file is created.
"""
if event.is_directory:
return
src_path = event.src_path
if not self._should_process_event(src_path):
return
if self._is_being_processed(src_path):
return
logging.info("File created: %s" % src_path)
try:
self.run_script(src_path)
finally:
self._processing_done(src_path)
def on_deleted(self, event):
"""
Handles the event when a file is deleted.
"""
if event.is_directory:
return
src_path = event.src_path
if not self._should_process_event(src_path):
return
if self._is_being_processed(src_path):
return
logging.info("File deleted: %s" % src_path)
directory_script = os.path.dirname(src_path)
pids_file = os.path.join(directory_script, "current_scenario_pids.txt")
logging.info(f"Killing processes from {pids_file}")
try:
self.kill_script_processes(pids_file)
os.remove(pids_file)
except FileNotFoundError:
logging.warning(f"{pids_file} not found.")
except Exception as e:
logging.exception(f"Error while killing processes: {e}")
finally:
self._processing_done(src_path)
def run_script(self, script):
try:
logging.info(f"Running script: {script}")
if script.endswith(".sh"):
result = subprocess.run(["bash", script], capture_output=True, text=True)
logging.info(f"Script output:\n{result.stdout}")
if result.stderr:
logging.error(f"Script error:\n{result.stderr}")
elif script.endswith(".ps1"):
subprocess.Popen(
["powershell", "-ExecutionPolicy", "Bypass", "-File", script],
stdout=subprocess.PIPE,
stderr=subprocess.PIPE,
text=False,
)
else:
logging.error("Unsupported script format.")
return
except Exception as e:
logging.exception(f"Error while running script: {e}")
def kill_script_processes(self, pids_file):
try:
with open(pids_file) as f:
pids = f.readlines()
for pid in pids:
try:
pid = int(pid.strip())
if psutil.pid_exists(pid):
process = psutil.Process(pid)
children = process.children(recursive=True)
logging.info(f"Forcibly killing process {pid} and {len(children)} child processes...")
for child in children:
try:
logging.info(f"Forcibly killing child process {child.pid}")
child.kill()
except psutil.NoSuchProcess:
logging.warning(f"Child process {child.pid} already terminated.")
except Exception as e:
logging.exception(f"Error while forcibly killing child process {child.pid}: {e}")
try:
logging.info(f"Forcibly killing main process {pid}")
process.kill()
except psutil.NoSuchProcess:
logging.warning(f"Process {pid} already terminated.")
except Exception as e:
logging.exception(f"Error while forcibly killing main process {pid}: {e}")
else:
logging.warning(f"PID {pid} does not exist.")
except ValueError:
logging.exception(f"Invalid PID value in file: {pid}")
except Exception as e:
logging.exception(f"Error while forcibly killing process {pid}: {e}")
except FileNotFoundError:
logging.exception(f"PID file not found: {pids_file}")
except Exception as e:
logging.exception(f"Error while reading PIDs from file: {e}")
|
on_created(event)
Handles the event when a file is created.
Source code in nebula/controller.py
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114 | def on_created(self, event):
"""
Handles the event when a file is created.
"""
if event.is_directory:
return
src_path = event.src_path
if not self._should_process_event(src_path):
return
if self._is_being_processed(src_path):
return
logging.info("File created: %s" % src_path)
try:
self.run_script(src_path)
finally:
self._processing_done(src_path)
|
on_deleted(event)
Handles the event when a file is deleted.
Source code in nebula/controller.py
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139 | def on_deleted(self, event):
"""
Handles the event when a file is deleted.
"""
if event.is_directory:
return
src_path = event.src_path
if not self._should_process_event(src_path):
return
if self._is_being_processed(src_path):
return
logging.info("File deleted: %s" % src_path)
directory_script = os.path.dirname(src_path)
pids_file = os.path.join(directory_script, "current_scenario_pids.txt")
logging.info(f"Killing processes from {pids_file}")
try:
self.kill_script_processes(pids_file)
os.remove(pids_file)
except FileNotFoundError:
logging.warning(f"{pids_file} not found.")
except Exception as e:
logging.exception(f"Error while killing processes: {e}")
finally:
self._processing_done(src_path)
|