PingPanel.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794
  1. #!/usr/bin/env python3
  2. # Copyright 2024 by Siegrist(SystemLoesungen) <PSS@ZweierNet.ch>
  3. # This program is free software: you can redistribute it and/or modify
  4. # it under the terms of the GNU General Public License as published by
  5. # the Free Software Foundation, either version 3 of the License, or
  6. # (at your option) any later version.
  7. #
  8. # This program is distributed in the hope that it will be useful,
  9. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  10. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  11. # GNU General Public License for more details.
  12. #import datetime
  13. from datetime import datetime
  14. import os
  15. import errno
  16. import configparser
  17. import time
  18. import signal
  19. import sys
  20. import subprocess
  21. import re
  22. import argparse
  23. from threading import Thread
  24. import json
  25. import tornado.ioloop
  26. import tornado.web
  27. import tornado.websocket
  28. from tornado.gen import sleep
  29. import asyncio
  30. VERSION = '0.9.9'
  31. konfig_file = 'config.cfg'
  32. s_certfile = 'server.crt'
  33. s_keyfile = 'server.key'
  34. ws_method = 'ws'
  35. host_dict = dict()
  36. failed_pingc = dict()
  37. loop_interval = 3
  38. listen_port = 8888
  39. listen_addr = '0.0.0.0'
  40. anz_hosts = 0
  41. fping_parameter = []
  42. fping_cmd = 'fping'
  43. def signal_handler(signal, frame):
  44. print('\nCtrl+C, keyboardInterrupt detected!')
  45. sys.exit(0)
  46. signal.signal(signal.SIGINT, signal_handler)
  47. config = configparser.ConfigParser(delimiters=('='), comment_prefixes=('#'), allow_no_value=False, strict=True, empty_lines_in_values=False)
  48. def read_config():
  49. try:
  50. if config.read([konfig_file]) != []:
  51. pass
  52. else:
  53. print("Configfile '" + konfig_file + "' not found!")
  54. sys.exit()
  55. except configparser.DuplicateSectionError as e:
  56. print("Error: Duplicate Section '%s' not allowed." % str(e.section))
  57. sys.exit()
  58. except configparser.DuplicateOptionError as e:
  59. print("Error: Duplicate Option '%s' in Section '%s' not allowed." % ( str(e.option), str(e.section) ))
  60. sys.exit()
  61. except configparser.Error as e:
  62. print("Error in Configfile: %s." % str(e))
  63. sys.exit()
  64. #print(config.sections())
  65. global anz_hosts
  66. for sect in config.sections():
  67. for key in config[sect]:
  68. if (sect == "Main"):
  69. try:
  70. global loop_interval
  71. loop_interval = int(config["Main"]["LoopInterval"])
  72. except KeyError:
  73. pass
  74. try:
  75. global listen_port
  76. listen_port = int(config["Main"]["ListenPort"])
  77. except KeyError:
  78. pass
  79. try:
  80. global listen_addr
  81. listen_addr = str(config["Main"]["ListenAddr"])
  82. except KeyError:
  83. pass
  84. try:
  85. title_add = str(config["Main"]["TitleAdd"])
  86. except KeyError:
  87. config["Main"]["TitleAdd"] = ''
  88. try:
  89. global ws_method
  90. if ( str(config["Main"]["UseHTTPS"]) ):
  91. ws_method = 'wss'
  92. s_certfile = str(config["Main"]["CertFile"])
  93. s_keyfile = str(config["Main"]["KeyFile"])
  94. apath = os.path.dirname(os.path.abspath(__file__))
  95. if not file_exists(s_certfile):
  96. print("CertFile not readable or does not exist: %s" % apath + '/' + s_certfile)
  97. sys.exit()
  98. if not file_exists(s_keyfile):
  99. print("KeyFile not readable or does not exist: %s" % apath + '/' + s_keyfile)
  100. sys.exit()
  101. except KeyError:
  102. pass
  103. else:
  104. #host_dict[key] = config[sect][key]
  105. host_dict[key] = sect.replace(' ','_')
  106. failed_pingc[key] = 0
  107. anz_hosts += 1
  108. if args.v: print(sect + ": " + key + " = " + config[sect][key])
  109. print("Pinging " + str(anz_hosts) + " Devices in total.")
  110. def cmd_exists(cmd):
  111. path = os.environ["PATH"].split(os.pathsep)
  112. for prefix in path:
  113. filename = os.path.join(prefix, cmd)
  114. executable = os.access(filename, os.X_OK)
  115. is_not_directory = os.path.isfile(filename)
  116. if executable and is_not_directory:
  117. return True
  118. return False
  119. def file_exists(file):
  120. filename = os.path.dirname(os.path.abspath(__file__)) + '/' + file
  121. if os.access(filename, os.R_OK):
  122. return True
  123. return False
  124. def create_fpingparam():
  125. global fping_parameter
  126. global fping_cmd
  127. try:
  128. fping_parameter.append(config["Main"]["fpingCommand"])
  129. fping_cmd = config["Main"]["fpingCommand"]
  130. except KeyError:
  131. fping_parameter.append(fping_cmd)
  132. fping_parameter += ['--quiet', '--vcount=3']
  133. try:
  134. fping_parameter.append('--interval=' + config["Main"]["Fping-interval"])
  135. except KeyError:
  136. fping_parameter.append('--interval=1')
  137. try:
  138. fping_parameter.append('--period=' + config["Main"]["Fping-period"])
  139. except KeyError:
  140. fping_parameter.append('--period=100')
  141. try:
  142. fping_parameter.append('--size=' + config["Main"]["Fping-size"])
  143. except KeyError:
  144. pass
  145. def ping(ip, packets=1, timeout=2):
  146. comd = ['ping', '-c', str(packets), '-w', str(timeout), ip]
  147. res = subprocess.run(comd, stdin=subprocess.DEVNULL, stdout=subprocess.DEVNULL, stderr=subprocess.DEVNULL)
  148. return res.returncode == 0
  149. def fping(ips):
  150. #comd = ['fping', '--quiet', '--interval=2', '--vcount=3', '--period=100'] + ips
  151. comd = fping_parameter + ips
  152. res = subprocess.run(comd, stdin=subprocess.DEVNULL, stdout=subprocess.PIPE, stderr=subprocess.STDOUT) #, universal_newlines = True)
  153. if args.v:
  154. print("fping finished: " + datetime.now().strftime("%H:%M:%S"))
  155. if res.returncode == 2:
  156. print("fping: any IP addresses were not found !")
  157. elif res.returncode == 3:
  158. print("fping: invalid command line arguments !")
  159. elif res.returncode == 4:
  160. print("fping: system call failure !")
  161. #print("RET:"+str(res.returncode))
  162. return res.stdout.decode("utf-8")
  163. # Pinging Loop
  164. async def PingLoop():
  165. print("PingLoop gestartet.")
  166. # sleep for a moment
  167. while True:
  168. await asyncio.sleep(3)
  169. # Sinnlos wenn niemend zuschaut:
  170. if ( len(BroadcastHandler.clients) < 1 ):
  171. continue
  172. for host, name in host_dict.items():
  173. #print("ping host: " + host)
  174. if ping(host,1,2):
  175. line = {
  176. "host": host, "status": "OK"
  177. }
  178. BroadcastHandler.broadcast(line)
  179. else:
  180. line = {
  181. "host": host, "status": "FAILED"
  182. }
  183. BroadcastHandler.broadcast(line)
  184. # End while True
  185. # Fping Loop
  186. async def FpingLoop():
  187. print("FpingLoop ready.")
  188. ip_list = list(host_dict.keys())
  189. create_fpingparam()
  190. # check for ping command
  191. if not cmd_exists(fping_cmd):
  192. print("Exit with Error: fping command not found or not executable: '%s'" % fping_cmd)
  193. sys.exit(1)
  194. if args.v:
  195. tmp_cmd = [] + fping_parameter + ip_list
  196. comd_out = ' '.join(tmp_cmd)
  197. comd_out.replace("'", "")
  198. print('ping command used: "' + comd_out + '"')
  199. # The Loop
  200. while True:
  201. # Sinnlos wenn niemend zuschaut:
  202. if ( len(BroadcastHandler.clients) < 1 ):
  203. await asyncio.sleep(3)
  204. continue
  205. ac_time = datetime.now().strftime("%H:%M:%S")
  206. if args.v: print("call fping: " + ac_time)
  207. ret = fping(ip_list)
  208. rl = ret.splitlines()
  209. json_bc = []
  210. for line in rl:
  211. host,rtims = line.split(' : ')
  212. if ( re.search(r"duplicate", rtims, flags=re.I) ):
  213. #print(host+": "+rtims)
  214. continue
  215. host = host.strip()
  216. rtims = rtims.strip()
  217. ux_sect = 'ux_' + host_dict[host]
  218. if re.search(r"[\d\.]+ [\d\.]+ [\d\.]+", rtims):
  219. #print(host+" OK")
  220. json_bc.append({
  221. "host": host, "status": "OK", "rtt": rtims, "actime": ac_time, "sect": ux_sect
  222. })
  223. failed_pingc[host] = 0
  224. #BroadcastHandler.broadcast(line)
  225. elif re.search(r"[\d\.]+ [\d\.]+ -", rtims) or re.search(r"[\d\.]+ - [\d\.]+", rtims) or re.search(r"- [\d\.]+ [\d\.]+", rtims):
  226. #print(host+" OK")
  227. json_bc.append({
  228. "host": host, "status": "OK", "rtt": rtims, "actime": ac_time, "sect": ux_sect
  229. })
  230. failed_pingc[host] = 0
  231. #BroadcastHandler.broadcast(line)
  232. elif re.search(r"- - -", rtims):
  233. #print(host+" FAILED")
  234. if failed_pingc[host] < int(config["Main"]["FlashThreshold"]):
  235. json_bc.append({
  236. "host": host, "status": "NEWFAIL", "rtt": rtims, "actime": ac_time, "sect": ux_sect
  237. })
  238. failed_pingc[host] += 1
  239. else:
  240. json_bc.append({
  241. "host": host, "status": "FAILED", "rtt": rtims, "actime": ac_time, "sect": ux_sect
  242. })
  243. failed_pingc[host] = int(config["Main"]["FlashThreshold"]) + 1
  244. #BroadcastHandler.broadcast(line)
  245. elif re.search(r"[\d\.]+", rtims):
  246. #print(host+" HALB")
  247. json_bc.append({
  248. "host": host, "status": "HALB", "rtt": rtims, "actime": ac_time, "sect": ux_sect
  249. })
  250. failed_pingc[host] = 0
  251. #BroadcastHandler.broadcast(line)
  252. else:
  253. print(host+" ???????????????????")
  254. #print(json.dumps(json_bc, separators=(',', ':'), ensure_ascii=False))
  255. BroadcastHandler.broadcast(json_bc)
  256. # sleep for Config-LoopInterval
  257. if ( len(BroadcastHandler.clients) >= 1 ):
  258. await asyncio.sleep(loop_interval)
  259. # End while True
  260. class BroadcastHandler(tornado.websocket.WebSocketHandler):
  261. clients = []
  262. def open(self):
  263. o_time = datetime.now().strftime("%d.%m.%y %H:%M")
  264. if not re.search(r"^/websocket$", self.request.uri):
  265. log_msg = '"Bad request uri"'
  266. print("%s: Client %s: WebSocket Open-Error: %s " % (o_time, self.request.remote_ip, log_msg))
  267. self.close(1111)
  268. return
  269. BroadcastHandler.clients.append(self)
  270. print("%s: Client %s: WebSocket opened: %s " % (o_time, self.request.remote_ip, self.request)) # oder "self.request.remote_ip" etc. / oder "self.__dict__"
  271. def on_close(self):
  272. BroadcastHandler.clients.remove(self)
  273. c_time = datetime.now().strftime("%d.%m.%y %H:%M")
  274. if ( self.close_code ):
  275. print("%s: Client %s: WebSocket closed: %s (close_code: %d)" % (c_time, self.request.remote_ip, self.request, self.close_code))
  276. else:
  277. print("%s: Client %s: WebSocket undefined closed." % (c_time, self.request.remote_ip))
  278. @classmethod
  279. def broadcast(cls, message):
  280. errored = []
  281. for client in cls.clients:
  282. #print("Broadcasted: %s" % message)
  283. #print("Broadcasted: %s" % client.request.remote_ip)
  284. try:
  285. client.write_message(json.dumps(message, separators=(',', ':'), ensure_ascii=False))
  286. #print("Broadcasted: %s" % message)
  287. except tornado.websocket.WebSocketClosedError:
  288. print("Error sending Broadcast message: WebSocketClosedError() raised")
  289. errored.append(client)
  290. except tornado.websocket.Exception as e:
  291. print("Error sending message: " + str(e))
  292. errored.append(client)
  293. for conn in errored:
  294. cls.clients.remove(conn)
  295. class WWWSocketHandler(tornado.web.RequestHandler):
  296. #@tornado.gen.coroutine
  297. def prepare(self):
  298. #if self.request.protocol == 'http':
  299. # print("mmmm" + self.request.protocol)
  300. pass
  301. def get(self):
  302. #print(self.request.headers)
  303. #print(self.__dict__)
  304. if not re.search(r"^/$", self.request.uri):
  305. return
  306. html_modal01 = create_html_modal01()
  307. html_tab = create_html_table()
  308. self.write(html_html % (config["Main"]["TitleAdd"], ws_method, self.request.host, html_css, html_tab, html_modal01))
  309. def on_connection_close(self):
  310. print("RequestHandler on_connection_close(): " + str(self.__dict__))
  311. async def test():
  312. while True:
  313. print("test")
  314. await asyncio.sleep(5)
  315. def make_app():
  316. abs_path = os.path.dirname(os.path.abspath(__file__))
  317. web_app = tornado.web.Application([
  318. (r"^/websocket$", BroadcastHandler),
  319. (r"/", WWWSocketHandler),
  320. (r'/css/(.+\.css)', tornado.web.StaticFileHandler, {'path': abs_path + '/'}),
  321. (r'/img/(.+\.gif)', tornado.web.StaticFileHandler, {'path': abs_path + '/'}),
  322. (r'/(favicon.ico)', tornado.web.StaticFileHandler, {'path': abs_path + '/'}),
  323. ],debug=False,websocket_ping_interval=10,websocket_ping_timeout=30)
  324. if ws_method == 'ws':
  325. # http method in use:
  326. print("Serving HTTP and ws.")
  327. print("Listen on "+listen_addr+" Port "+str(listen_port)+" (http://"+listen_addr+":"+str(listen_port)+"/).")
  328. return web_app
  329. # https method in use:
  330. print("Serving HTTPS and wss.")
  331. print("Listen on "+listen_addr+" Port "+str(listen_port)+" (https://"+listen_addr+":"+str(listen_port)+"/).")
  332. http_server = tornado.httpserver.HTTPServer(web_app,
  333. ssl_options = {
  334. "certfile": abs_path + '/' + s_certfile,
  335. "keyfile": abs_path + '/' + s_keyfile,
  336. }
  337. )
  338. return http_server
  339. async def main():
  340. app = make_app()
  341. try:
  342. app.listen(int(listen_port), str(listen_addr))
  343. except OSError as e:
  344. if e.errno == errno.EADDRINUSE:
  345. print("listen(): 'EADDRINUSE': " + str(e.args[1]))
  346. sys.exit(1)
  347. else:
  348. raise
  349. #await asyncio.gather(PingLoop(), return_exceptions=True)
  350. #await asyncio.gather(PingLoop())
  351. await asyncio.gather(FpingLoop())
  352. # ------ Div -------------------------------
  353. def create_html_table():
  354. html_tab = ""
  355. html_tab += '<div id="top_header" class="top_header w3-black">'
  356. html_tab += '<span class="w3-left tbars" style="text-align: left;">V'+VERSION+' by <a href="https://pss.zweiernet.ch" target="_blank">PSS</a><br><span style="font-size:1em;opacity:0.8;background-color:#4e4ec4;cursor:pointer;" onclick="document.getElementById(\'modal_01\').style.display=\'block\'">&nbsp;<span class="w3-text-white w3-monospace"><b>i</b></span> &#x2754; </span></span>'
  357. html_tab += '<span class="w3-center top_head_tit">PingPanel<span class="top_head_tit_pfix"> ' + config["Main"]["TitleAdd"] + '</span></span>'
  358. html_tab += '<span class="w3-right tbars"><span id="cur_actime" style="text-align: right;color: #22ff00;font-weight: bold;"> </span><br><button id="close_button" onclick="socket_close(1000)" class="sbutt">stop</button><br></span>'
  359. html_tab += '</div>\n'
  360. html_tab += '<div class="w3-container">'
  361. for sect in config.sections():
  362. if (sect == "Main"):
  363. continue
  364. html_tab += '<div class="w3-container" style="padding: 0;font-size:14px;">'
  365. sect_x = sect.replace(' ','_')
  366. clickId = 'accord_' + sect_x
  367. html_tab += '<br><div onclick="Accordion(\'' + clickId + '\')" class="w3-container w3-teal" style="padding: 3px 10px;margin-top: 5px;box-shadow: 0 2px 5px 0 #04040424,0 2px 10px 0 #040404c4;letter-spacing: 2px;cursor: pointer;text-shadow: 0 0 0px #fff;">' + sect + '<span id="ux_' + sect_x + '" class="w3-right"></span></div>\n'
  368. html_tab += '<div id="' + clickId + '" class="w3-show">'
  369. for key in config[sect]:
  370. tkey = key.replace('.', '_')
  371. html_tab += '<div class="w3-left si3-dark-grey w3-border w3-border-teal tooltip" style="text-align: center;margin: 1px; min-width: 13ch; padding: 4px min(3px, 1vw) !important;box-shadow:3px 2px 4px #000 !important;">'
  372. html_tab += '<span class="w3-card-2 tooltiptext">'+config[sect][key]+'<br><span id="ttip_' + tkey + '" class="ttip_small"></span></span>'
  373. html_tab += '<span id="' + tkey + '" class="ip_num">' + key + '</span><br><span id="stat_' + tkey + '" class="w3-center"></span></div>'
  374. html_tab += '</div>\n</div>\n'
  375. html_tab += '</div>\n'
  376. return html_tab
  377. html_html = '''
  378. <!doctype html>
  379. <html>
  380. <header>
  381. <title>PingPanel %s</title>
  382. <meta name="viewport" content="width=device-width, initial-scale=1">
  383. <meta charset="UTF-8">
  384. <script type="text/javascript">
  385. window.onload = start_websocket();
  386. function start_websocket() {
  387. var ws = new WebSocket("%s://%s/websocket");
  388. ws.onmessage = function (evt) {
  389. //let test = evt.data.replace(/'/g, '"'); // needed " by JSON.parse
  390. //var json_arr = JSON.parse(test);
  391. var json_arr = JSON.parse(evt.data);
  392. var cur_actime = "";
  393. // Colortable counters initialisation
  394. let M_red = new Map();
  395. let M_green = new Map();
  396. let M_yellow = new Map();
  397. for( let i = 0; i < json_arr.length; i++ ) {
  398. if ( M_red.has(json_arr[i].sect) ) {
  399. continue;
  400. } else {
  401. M_red.set(json_arr[i].sect, 0);
  402. M_green.set(json_arr[i].sect, 0);
  403. M_yellow.set(json_arr[i].sect, 0);
  404. }
  405. }
  406. // DOM Updates
  407. for(let i = 0; i < json_arr.length; i++) {
  408. var data_obj = json_arr[i];
  409. cur_actime = data_obj.actime;
  410. var cur_host = data_obj.host;
  411. var cur_status = data_obj.status;
  412. var cur_sect_ux = data_obj.sect;
  413. var cur_rtt = data_obj.rtt;
  414. cur_rtt = cur_rtt.replace(/ /g,' \/ ');
  415. var uc_cur_host = cur_host.replace(/\./g,'_');
  416. document.getElementById(uc_cur_host).textContent = cur_host;
  417. var stat_id = 'stat_' + uc_cur_host;
  418. var ttip_id = 'ttip_' + uc_cur_host;
  419. if (cur_status == 'OK') {
  420. M_green.set(cur_sect_ux, M_green.get(cur_sect_ux) + 1);
  421. document.getElementById(stat_id).innerHTML = '<img src="/img/green_on.gif">';
  422. document.getElementById(ttip_id).innerHTML = '<b>RTT</b>: '+cur_rtt;
  423. } else if (cur_status == 'FAILED') {
  424. M_red.set(cur_sect_ux, M_red.get(cur_sect_ux) + 1);
  425. document.getElementById(stat_id).innerHTML = '<img src="/img/red_on.gif">';
  426. document.getElementById(ttip_id).innerHTML = '<b>RTT</b>: '+cur_rtt;
  427. } else if (cur_status == 'NEWFAIL') {
  428. M_red.set(cur_sect_ux, M_red.get(cur_sect_ux) + 1);
  429. document.getElementById(stat_id).innerHTML = '<img src="/img/red_anim.gif">';
  430. document.getElementById(ttip_id).innerHTML = '<b>RTT</b>: '+cur_rtt;
  431. } else {
  432. M_yellow.set(cur_sect_ux, M_yellow.get(cur_sect_ux) + 1);
  433. document.getElementById(stat_id).innerHTML = '<img src="/img/yellow_on.gif">';
  434. document.getElementById(ttip_id).innerHTML = '<b>RTT</b>: '+cur_rtt;
  435. }
  436. } // End for
  437. document.getElementById('cur_actime').innerHTML = cur_actime;
  438. for (let [sect, val] of M_red) {
  439. document.getElementById(sect).innerHTML = '<span class="unreach_r"><span class="red_r">'+M_red.get(sect).toString().padStart(3, " ")+'</span> | <span class="yellow_r">'+M_yellow.get(sect).toString().padStart(3, " ")+'</span> | <span class="green_r">'+M_green.get(sect).toString().padStart(3, " ")+'</span></span>';
  440. }
  441. };
  442. ws.onclose = function(evt) {
  443. //alert("WebSocket closed.");
  444. document.getElementById('cur_actime').innerHTML = '<span style="color:red;">stopped</span>';
  445. document.getElementById('close_button').style.opacity = "0.3";
  446. //document.getElementById('modal_alert_text').style.display='block';
  447. //document.getElementById('modal_alert_text').innerHTML = 'WebSocket closed.';
  448. };
  449. ws.onerror = function(evt) {
  450. alert("WebSocket closed due to an error.");
  451. document.getElementById('cur_actime').innerHTML = '<span style="color:red;">Error</span>';
  452. document.getElementById('close_button').style.opacity = "0.3";
  453. };
  454. socket_close = (code) => {
  455. document.getElementById('close_button').style.opacity = "0.3";
  456. ws.close(code);
  457. };
  458. };
  459. function Accordion(id) {
  460. var x = document.getElementById(id); //alert(x); //.previousSibling.getElementsByTagName("*").item(0).innerHTML);
  461. if (x.className.indexOf("w3-show") == -1) {
  462. x.className = "w3-show";
  463. } else {
  464. x.className = x.className.replace("w3-show", "w3-hide");
  465. }
  466. };
  467. </script>
  468. <script>
  469. // modal handling
  470. var modal = document.getElementById('modal_01');
  471. // When the user clicks anywhere outside of the modal, close it
  472. window.onclick = function(event) {
  473. if (event.target == modal) {
  474. modal.style.display = "none";
  475. }
  476. }
  477. </script>
  478. <link rel="stylesheet" href="/css/w3.css">
  479. <style>
  480. %s
  481. </style>
  482. </header>
  483. <body>
  484. <div id="main">%s</div>\n
  485. <p><br></p>
  486. <div id="modal_01" class="w3-modal modal_01" onclick="this.style.display='none'">
  487. <div class="w3-modal-content modal_01_text">
  488. <div class="w3-container">
  489. <h4 style="font-variant:small-caps;letter-spacing:3px;">PingPanel</h4>
  490. %s
  491. </div>
  492. </div>
  493. </div>
  494. </body>
  495. </html>
  496. '''
  497. html_css = '''
  498. body {
  499. background: #333;
  500. font-family: Verdana, Arial, sans-serif;
  501. color: #ddd;
  502. line-height: 110%;
  503. font-size: 13px;
  504. }
  505. .red { color: red; }
  506. .green { color: #0f0; }
  507. .yellow { color: yellow; }
  508. .red_r { color: red; white-space: pre; text-align: right; font-family: monospace;text-shadow: 0px -0px 0px #f44;}
  509. .green_r { color: #0f0; white-space: pre; text-align: right;; font-family: monospace;}
  510. .yellow_r { color: yellow; white-space: pre; text-align: right;; font-family: monospace;}
  511. .ip_num { font-size: 80%; }
  512. .si3-dark-grey{color:#fff!important;background-color:#626262!important;text-shadow: 0 0 0px #fff, 0 0 1px #000;}
  513. .top_header {
  514. text-align: center;
  515. padding: 5px 10px; height: 43px;
  516. box-shadow: 0px 1px 9px 1px #c3d0cd78 !important;
  517. position: sticky;
  518. z-index: 100;
  519. top: 0px;
  520. }
  521. .tbars {
  522. color: #aaa;
  523. font-size: 11px;
  524. font-stretch: semi-expanded;
  525. }
  526. .unreach_r {
  527. background-color:#313131;
  528. padding-left:5px;
  529. padding-right:5px;
  530. letter-spacing: 0px;
  531. border-radius: 2px;
  532. font-weight: bold;
  533. font-size: 12px;
  534. }
  535. .modal_01 {
  536. }
  537. .modal_01_text {
  538. background-color: #000;
  539. color: #f0f0ca;
  540. line-height: 120%;
  541. font-size: 1.1em;
  542. }
  543. .sbutt {
  544. border: none;
  545. display: inline-block;
  546. vertical-align: middle;
  547. overflow: hidden;
  548. text-decoration: none;
  549. text-align: center;
  550. cursor: pointer;
  551. white-space: nowrap;
  552. border-radius: 4px;
  553. padding: 0px 8px !important;
  554. background-color: #9b9b9b !important;
  555. color: #000 !important;
  556. }
  557. .top_head_tit {
  558. font-size: 22px;
  559. font-variant: small-caps;
  560. letter-spacing: 4px;
  561. top: 0.3em;
  562. position: sticky;
  563. }
  564. .top_head_tit_pfix {
  565. font-size: 0.5em;
  566. font-variant: small-caps;
  567. letter-spacing: 0px;
  568. }
  569. .ttip_small {
  570. font-size: 64%;
  571. text-align: center;
  572. padding-top: 6px;
  573. }
  574. .tooltip {
  575. position: relative;
  576. display: inline-block;
  577. border-bottom: 1px dotted black;
  578. }
  579. .tooltip .tooltiptext {
  580. font-family: Verdana, 'PT Sans Caption', Arial, sans-serif;
  581. visibility: hidden;
  582. width: 170px;
  583. background-color: black;
  584. color: #fff;
  585. text-align: center;
  586. font-size: 17px;
  587. border-radius: 6px;
  588. padding: 5px 5px;
  589. position: absolute;
  590. z-index: 1;
  591. top: 120%;
  592. left: 50%;
  593. margin-left: -60px;
  594. line-height: 1.1em;
  595. text-shadow: 0 0 0 #a8a8a8 !important;
  596. }
  597. .tooltip .tooltiptext::after {
  598. content: "";
  599. position: absolute;
  600. bottom: 100%;
  601. left: 50%;
  602. margin-left: -5px;
  603. border-width: 5px;
  604. border-style: solid;
  605. border-color: transparent transparent black transparent;
  606. }
  607. .tooltip:hover .tooltiptext {
  608. visibility: visible;
  609. }
  610. .sticky {
  611. position: fixed;
  612. top: 0;
  613. width: 100%;
  614. }
  615. .sticky + .content {
  616. padding-top: 50px;
  617. }
  618. '''
  619. def create_html_modal01():
  620. html_modal = '''
  621. <p style="font-size:1.2em;font-variant:small-caps;letter-spacing:3px;font-style:italic;text-decoration:underline">Info</p>
  622. Config File:
  623. ''' + konfig_file + '''<br>
  624. Total number of Devices: _NUM_HOSTS_ <br>
  625. LoopInterval:
  626. ''' + str(loop_interval) + ''' s<br>
  627. FlashThreshold:
  628. ''' + str(config["Main"]["FlashThreshold"]) + ''' rounds<br>
  629. fping:
  630. ''' + fping_parameter[2].replace('--','') + '''<br>
  631. fping:
  632. ''' + fping_parameter[3].replace('--','') + ''' ms<br>
  633. fping:
  634. ''' + fping_parameter[4].replace('--','') + ''' ms<br>
  635. <br>
  636. <p style="font-size:1.2em;font-variant:small-caps;letter-spacing:3px;font-style:italic;text-decoration:underline">Help</p>
  637. The PingPanel board provides the header and the configured, expandable and collapsible sections with the corresponding devices to be monitored.<br>
  638. Among other things, the header contains the current time (<span class="green">green</span>) of the last ping run
  639. or the status "stopped" (<span class="red">red</span>) if the connection to the server has been lost or the "Stop" button below has been pressed.<br>
  640. Pressing the "Stop" button terminates the connection to the server and, if no other client is active, the server pauses the ping rounds.<p>
  641. The blue-green <span class="w3-teal">section bars</span> contain the name of the section and consolidated information about the status of the devices in this section.<br>
  642. The section bars can be expanded and collapsed by clicking or tapping on them.<br>
  643. Consolidated status information <img src="/img/stat-inf.gif"> is divided into <span class="red">failed</span>,
  644. <span class="yellow">partially answered</span> and <span class="green">answered</span> ping requests.<br>
  645. Each monitored device displays its IP address and status. By hovering over or tapping on it its comment
  646. is displayed and the three ping RTT's of each ping round is reported.<p>
  647. A <span class="red">flashing red</span> status light indicates that the device has recently not responded during 'FlashThreshold' ping rounds.<br>
  648. A <span class="red">red</span> status light indicates that the device has not answered any of the three pings.<br>
  649. A <span class="yellow">yellow</span> status light indicates that the device has answered one of three pings.<br>
  650. A <span class="green">green</span> status light indicates that the device has answered to all three or at least two pings.<br>
  651. <p></p>
  652. <p> </p>
  653. '''
  654. html_modal = html_modal.replace('_NUM_HOSTS_', str(anz_hosts))
  655. return html_modal
  656. # -------- MAIN ------------------------------
  657. if __name__ == "__main__":
  658. print("PingPanel v"+VERSION+" by PSS -- started at " + datetime.now().strftime("%F %H:%M:%S"))
  659. # Commandline parsing
  660. parser = argparse.ArgumentParser(description='PingPanel V'+VERSION+"\n2024 by sigi",
  661. formatter_class=argparse.RawDescriptionHelpFormatter)
  662. parser.add_argument('-c', help="Alternative configuration file (standard: config.cfg)", type=str, metavar='config-file')
  663. parser.add_argument('-v', help="Verbose mode", action="store_true")
  664. args = parser.parse_args()
  665. if args.c:
  666. konfig_file = args.c
  667. print("Configfile: " + konfig_file)
  668. # Config
  669. read_config()
  670. # create the app
  671. asyncio.run(main())
  672. # ------