PLG: ICMP v2 #1331

Signed-off-by: jokob-sk <jokob.sk@gmail.com>
This commit is contained in:
jokob-sk
2026-01-04 13:49:10 +11:00
parent 7be4760979
commit 2ee43d4c2c
2 changed files with 76 additions and 25 deletions

View File

@@ -143,7 +143,7 @@
} }
] ]
}, },
"default_value": "-i 0.5 -c 3 -w 5", "default_value": "-i 0.5 -c 3",
"options": [], "options": [],
"localized": ["name", "description"], "localized": ["name", "description"],
"name": [ "name": [
@@ -155,7 +155,7 @@
"description": [ "description": [
{ {
"language_code": "en_us", "language_code": "en_us",
"string": "Arguments passed to the underlying <code>ping</code> or <code>fping</code> command. The default values (<code>-i 0.5 -c 3 -w 5</code>) are compatible with both modes and work well in most environments. Modify with care, and consult the relevant manual pages if advanced tuning is required." "string": "Arguments passed to the underlying <code>ping</code> or <code>fping</code> command. The default values (<code>-i 0.5 -c 3</code>) are compatible with both modes and work well in most environments. Modify with care, and consult the relevant manual pages if advanced tuning is required."
} }
] ]
}, },

View File

@@ -6,6 +6,7 @@ import os
import subprocess import subprocess
import sys import sys
import re import re
import ipaddress
# Register NetAlertX directories # Register NetAlertX directories
INSTALL_PATH = os.getenv('NETALERTX_APP', '/app') INSTALL_PATH = os.getenv('NETALERTX_APP', '/app')
@@ -155,7 +156,7 @@ def execute_ping(timeout, args, all_devices, regex_pattern, plugin_objects):
secondaryId = device['devLastIP'], secondaryId = device['devLastIP'],
watched1 = device['devName'], watched1 = device['devName'],
watched2 = output.replace('\n', ''), watched2 = output.replace('\n', ''),
watched3 = '', watched3 = 'ping', # mode
watched4 = '', watched4 = '',
extra = '', extra = '',
foreignKey = device['devMac'] foreignKey = device['devMac']
@@ -174,23 +175,48 @@ def execute_ping(timeout, args, all_devices, regex_pattern, plugin_objects):
def execute_fping(timeout, args, all_devices, plugin_objects, subnets, interfaces, fakeMac): def execute_fping(timeout, args, all_devices, plugin_objects, subnets, interfaces, fakeMac):
""" """
Run fping command and return alive IPs. Run fping command and return alive IPs (IPv4 and IPv6).
Handles: Handles:
- fping exit code 1 (some hosts unreachable) - fping exit code 1 (some hosts unreachable)
- Mixed subnets and known IPs - Mixed subnets, known IPs, and IPv6
- Synology quirks - Automatic CIDR subnet expansion
""" """
device_map = {d["devLastIP"]: d for d in all_devices if d.get("devLastIP")} device_map = {d["devLastIP"]: d for d in all_devices if d.get("devLastIP")}
known_ips = list(device_map.keys()) known_ips = list(device_map.keys())
online_ips = [] online_results = [] # list of tuples (ip, full_line)
# Regex patterns
ipv4_pattern = r'\d{1,3}(?:\.\d{1,3}){3}'
ipv6_pattern = r'([0-9a-fA-F:]+)'
ip_pattern = f'{ipv4_pattern}|{ipv6_pattern}'
ip_regex = re.compile(ip_pattern)
def expand_subnets(targets):
"""Expand CIDR subnets to list of IPs if needed."""
expanded = []
for t in targets:
t = t.strip()
if "/" in t:
try:
net = ipaddress.ip_network(t, strict=False)
expanded.extend([str(ip) for ip in net.hosts()])
except ValueError:
expanded.append(t)
else:
expanded.append(t)
return expanded
# Function to run fping for a list of targets
def run_fping(targets): def run_fping(targets):
targets = expand_subnets(targets)
if not targets: if not targets:
return [] return []
is_ipv6 = any(':' in t for t in targets)
cmd = ["fping", "-a"] + args.split() + targets cmd = ["fping", "-a"] + args.split() + targets
if is_ipv6:
cmd.insert(1, "-6") # insert -6 after "fping"
if interfaces: if interfaces:
cmd += ["-I", ",".join(interfaces)] cmd += ["-I", ",".join(interfaces)]
@@ -204,35 +230,59 @@ def execute_fping(timeout, args, all_devices, plugin_objects, subnets, interface
text=True text=True
) )
except subprocess.CalledProcessError as e: except subprocess.CalledProcessError as e:
# fping returns 1 if some hosts are down alive hosts are still in e.output
output = e.output output = e.output
mylog("verbose", [f"[{pluginName}] fping returned non-zero exit code, reading alive hosts anyway"]) mylog("none", [f"[{pluginName}] fping returned non-zero exit code, reading alive hosts anyway"])
except subprocess.TimeoutExpired: except subprocess.TimeoutExpired:
mylog("verbose", [f"[{pluginName}] fping timeout"]) mylog("none", [f"[{pluginName}] fping timeout"])
return [] return []
return [line.strip() for line in output.splitlines() if line.strip()] results = []
for line in output.splitlines():
line = line.strip()
if not line:
continue
# First scan subnets # Skip unreachable, timed out, or 100% packet loss
online_ips += run_fping(subnets) if "unreachable" in line.lower() or "timed out" in line.lower() or "100% loss" in line.lower():
mylog("debug", [f"[{pluginName}] fping skipping {line}"])
continue
# Then scan known IPs match = ip_regex.search(line)
online_ips += run_fping(known_ips) if match:
ip = match.group(0)
mylog("debug", [f"[{pluginName}] adding {ip} from {line}"])
results.append((ip, line))
else:
mylog("verbose", [f"[{pluginName}] fping non-parseable {line}"])
# Remove duplicates return results
online_ips = list(set(online_ips))
# Scan subnets
mylog("verbose", [f"[{pluginName}] run_fping: subnets {subnets}"])
online_results += run_fping(subnets)
# Scan known IPs
mylog("verbose", [f"[{pluginName}] run_fping: known_ips {known_ips}"])
online_results += run_fping(known_ips)
# Remove duplicates by IP
seen = set()
online_results_unique = []
for ip, full_line in online_results:
if ip not in seen:
seen.add(ip)
online_results_unique.append((ip, full_line))
# Process all online IPs # Process all online IPs
for onlineIp in online_ips: for onlineIp, full_line in online_results_unique:
if onlineIp in device_map: if onlineIp in device_map:
device = device_map[onlineIp] device = device_map[onlineIp]
plugin_objects.add_object( plugin_objects.add_object(
primaryId = device['devMac'], primaryId = device['devMac'],
secondaryId = device['devLastIP'], secondaryId = device['devLastIP'],
watched1 = device['devName'], watched1 = device['devName'],
watched2 = 'mode:fping', watched2 = full_line,
watched3 = '', watched3 = 'fping', # mode
watched4 = '', watched4 = '',
extra = '', extra = '',
foreignKey = device['devMac'] foreignKey = device['devMac']
@@ -243,8 +293,8 @@ def execute_fping(timeout, args, all_devices, plugin_objects, subnets, interface
primaryId = fakeMacFromIp, primaryId = fakeMacFromIp,
secondaryId = onlineIp, secondaryId = onlineIp,
watched1 = "(unknown)", watched1 = "(unknown)",
watched2 = 'mode:fping', watched2 = full_line,
watched3 = '', watched3 = 'fping', # mode
watched4 = '', watched4 = '',
extra = '', extra = '',
foreignKey = fakeMacFromIp foreignKey = fakeMacFromIp
@@ -252,7 +302,8 @@ def execute_fping(timeout, args, all_devices, plugin_objects, subnets, interface
else: else:
mylog('verbose', [f"[{pluginName}] Skipping: {onlineIp}, as new IP and ICMP_FAKE_MAC not enabled"]) mylog('verbose', [f"[{pluginName}] Skipping: {onlineIp}, as new IP and ICMP_FAKE_MAC not enabled"])
mylog('verbose', [f"[{pluginName}] online_ips: {online_ips}"]) # log only the IPs
mylog('verbose', [f"[{pluginName}] online_ips: {[ip for ip, _ in online_results_unique]}"])
return plugin_objects return plugin_objects