Skip to content

state.status_line

state.status_line

Status line rendering logic.

Build human readable status text from snapshot, cache state, and flash messages.

StatusCache dataclass

Accumulate unique socket and service keys across snapshots.

Source code in state/status_cache.py
 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
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
@dataclass
class StatusCache:
    """Accumulate unique socket and service keys across snapshots."""

    sock: set[SocketKey] = field(default_factory=set)
    serv: set[ServiceKey] = field(default_factory=set)
    map: set[ServiceKey] = field(default_factory=set)
    unm: set[ServiceKey] = field(default_factory=set)
    loc: set[ServiceKey] = field(default_factory=set)

    def clear(self) -> None:
        """Clear cached key sets."""
        self.sock.clear()
        self.serv.clear()
        self.map.clear()
        self.unm.clear()
        self.loc.clear()

    def update(self, cache_items: Sequence[StatusCacheItem]) -> None:
        """Merge snapshot cache_items into the cache.

        Required keys:
            ip: str
            port: int

        Optional keys:
            proto: 'tcp' or 'udp' (default 'tcp')
            pid: int
            process_name: str
            service_scope: 'PUBLIC', 'LAN', 'LOCAL', or 'UNKNOWN'
            lat, lon: numeric coordinates for PUBLIC services
        """
        for item in cache_items:
            ip = item.get("ip")
            if not isinstance(ip, str) or not ip:
                continue

            port_raw = item.get("port")
            try:
                port = int(port_raw)
            except (TypeError, ValueError):
                continue
            if port <= 0:
                continue

            proto = self._normalize_proto(item.get("proto"))

            service_key: ServiceKey = (proto, ip, port)
            self.serv.add(service_key)

            owner = self._owner_label(item.get("pid"), item.get("process_name"))
            socket_key: SocketKey = (proto, ip, port, owner)
            self.sock.add(socket_key)

            scope_u = self._normalize_scope(item.get("service_scope"))

            if scope_u in {"LAN", "LOCAL"}:
                self.loc.add(service_key)
                continue

            if scope_u == "UNKNOWN":
                continue

            if scope_u != "PUBLIC":
                continue

            if self._has_geo(item.get("lat"), item.get("lon")):
                self.map.add(service_key)
            else:
                self.unm.add(service_key)

    def format_chain(self) -> str:
        """Format cache counters for the status line."""
        return (
            f"SOCK {len(self.sock)} "
            f"SERV {len(self.serv)} "
            f"MAP {len(self.map)} "
            f"UNM {len(self.unm)} "
            f"LOC {len(self.loc)}"
        )

    def to_store(self) -> dict[str, Any]:
        """Convert key sets to JSON-friendly lists for Dash stores."""
        return {
            "sock": [list(x) for x in sorted(self.sock)],
            "serv": [list(x) for x in sorted(self.serv)],
            "map": [list(x) for x in sorted(self.map)],
            "unm": [list(x) for x in sorted(self.unm)],
            "loc": [list(x) for x in sorted(self.loc)],
        }

    @classmethod
    def from_store(cls, data: Any) -> StatusCache:
        """Build StatusCache from Dash store data."""
        cache = cls()
        if not isinstance(data, dict):
            return cache

        cache.sock = cls._read_sock(data.get("sock"))
        cache.serv = cls._read_serv(data.get("serv"))
        cache.map = cls._read_serv(data.get("map"))
        cache.unm = cls._read_serv(data.get("unm"))
        cache.loc = cls._read_serv(data.get("loc"))
        return cache

    @staticmethod
    def _normalize_proto(value: Any) -> str:
        p = str(value).lower().strip() if value else "tcp"
        return p if p in {"tcp", "udp"} else "tcp"

    @staticmethod
    def _normalize_scope(value: Any) -> str:
        s = str(value).upper().strip() if isinstance(value, str) else ""
        return s if s in {"PUBLIC", "LAN", "LOCAL"} else "UNKNOWN"

    @staticmethod
    def _has_geo(lat: Any, lon: Any) -> bool:
        return isinstance(lat, (int, float)) and isinstance(lon, (int, float))

    @staticmethod
    def _owner_label(pid: Any, process_name: Any) -> str:
        try:
            pid_i = int(pid)
            if pid_i >= 0:
                return f"pid:{pid_i}"
        except (TypeError, ValueError):
            pass

        name = str(process_name).strip() if process_name else ""
        return f"proc:{name}" if name else "proc:Unknown"

    @staticmethod
    def _read_serv(value: Any) -> set[ServiceKey]:
        if not isinstance(value, list):
            return set()

        out: set[ServiceKey] = set()
        for item in value:
            if not isinstance(item, (list, tuple)) or len(item) != 3:
                continue

            proto, ip, port = item
            p = StatusCache._normalize_proto(proto)

            if not isinstance(ip, str) or not ip:
                continue

            try:
                port_i = int(port)
            except (TypeError, ValueError):
                continue
            if port_i <= 0:
                continue

            out.add((p, ip, port_i))
        return out

    @staticmethod
    def _read_sock(value: Any) -> set[SocketKey]:
        if not isinstance(value, list):
            return set()

        out: set[SocketKey] = set()
        for item in value:
            if not isinstance(item, (list, tuple)) or len(item) != 4:
                continue

            proto, ip, port, owner = item
            p = StatusCache._normalize_proto(proto)

            if not isinstance(ip, str) or not ip:
                continue

            try:
                port_i = int(port)
            except (TypeError, ValueError):
                continue
            if port_i <= 0:
                continue

            owner_s = str(owner).strip() if owner else ""
            owner_s = owner_s if owner_s else "proc:Unknown"

            out.add((p, ip, port_i, owner_s))
        return out

    @staticmethod
    def _safe_str(value: Any) -> str:
        """Return empty string for None, else str(value)."""
        return "" if value is None else str(value)

    @staticmethod
    def _key_ip_port(key: Any) -> tuple[str, int]:
        """Extract (ip, port) sort key from 'ip|port' service key."""
        if not isinstance(key, str):
            return ("", -1)

        ip, _, port_s = key.partition("|")
        try:
            return (ip, int(port_s))
        except ValueError:
            return (ip, -1)

    @staticmethod
    def _format_procs_with_pids(entry: dict[str, Any]) -> str:
        """Format process list with optional PID values."""

        def to_name(v: Any) -> str:
            s = StatusCache._safe_str(v).strip()
            return s

        processes = entry.get("processes")
        names = [to_name(x) for x in processes] if isinstance(processes, list) else []
        names = [n for n in names if n]
        if not names:
            return "-"

        proc_pids_raw = entry.get("proc_pids")
        proc_pids: dict[str, list[int]] = proc_pids_raw if isinstance(proc_pids_raw, dict) else {}

        parts: list[str] = []
        for name in sorted(set(names), key=str.lower):
            pids_raw = proc_pids.get(name)
            pids = (
                sorted({int(x) for x in pids_raw if isinstance(x, int) and x > 0})
                if isinstance(pids_raw, list)
                else []
            )
            if pids:
                parts.append(f"{name} (pid {', '.join(str(x) for x in pids)})")
            else:
                parts.append(name)

        return ", ".join(parts) if parts else "-"

    def show_ui_cache(self, ui_cache: dict[str, Any], *, title: str = "UI CACHE") -> None:
        """Show UI cache snapshot in terminal log."""
        logger = logging.getLogger("tapmap.cache")
        ts = datetime.now().strftime("%Y-%m-%d %H:%M:%S")

        cache = ui_cache if isinstance(ui_cache, dict) else {}

        lines: list[str] = []
        lines.append(f"\n{title} ({ts})")
        lines.append(f"CACHE: {self.format_chain()}")
        lines.append(f"Cache entries: {len(cache)}")

        if not cache:
            logger.info("\n".join(lines))
            return

        for key in sorted(cache.keys(), key=self._key_ip_port):
            entry = cache.get(key)
            if not isinstance(entry, dict):
                continue

            ip = self._safe_str(entry.get("ip")) or self._safe_str(key).split("|", 1)[0]

            port = entry.get("port")
            port_txt = str(int(port)) if isinstance(port, int) else "-"

            proto = self._normalize_proto(entry.get("proto"))

            asn_org = self._safe_str(entry.get("asn_org")) or "-"
            city = self._safe_str(entry.get("city")) or ""
            country = self._safe_str(entry.get("country")) or ""
            place = ", ".join([x for x in [city, country] if x]) or "-"

            procs_txt = self._format_procs_with_pids(entry)

            addr = f"{ip}:{port_txt}"
            lines.append(f"{addr:<22} ({proto})  procs={procs_txt}  {asn_org}  place={place}")
        logger.info("\n".join(lines))

clear()

Clear cached key sets.

Source code in state/status_cache.py
54
55
56
57
58
59
60
def clear(self) -> None:
    """Clear cached key sets."""
    self.sock.clear()
    self.serv.clear()
    self.map.clear()
    self.unm.clear()
    self.loc.clear()

update(cache_items)

Merge snapshot cache_items into the cache.

Required keys

ip: str port: int

Optional keys

proto: 'tcp' or 'udp' (default 'tcp') pid: int process_name: str service_scope: 'PUBLIC', 'LAN', 'LOCAL', or 'UNKNOWN' lat, lon: numeric coordinates for PUBLIC services

Source code in state/status_cache.py
 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
def update(self, cache_items: Sequence[StatusCacheItem]) -> None:
    """Merge snapshot cache_items into the cache.

    Required keys:
        ip: str
        port: int

    Optional keys:
        proto: 'tcp' or 'udp' (default 'tcp')
        pid: int
        process_name: str
        service_scope: 'PUBLIC', 'LAN', 'LOCAL', or 'UNKNOWN'
        lat, lon: numeric coordinates for PUBLIC services
    """
    for item in cache_items:
        ip = item.get("ip")
        if not isinstance(ip, str) or not ip:
            continue

        port_raw = item.get("port")
        try:
            port = int(port_raw)
        except (TypeError, ValueError):
            continue
        if port <= 0:
            continue

        proto = self._normalize_proto(item.get("proto"))

        service_key: ServiceKey = (proto, ip, port)
        self.serv.add(service_key)

        owner = self._owner_label(item.get("pid"), item.get("process_name"))
        socket_key: SocketKey = (proto, ip, port, owner)
        self.sock.add(socket_key)

        scope_u = self._normalize_scope(item.get("service_scope"))

        if scope_u in {"LAN", "LOCAL"}:
            self.loc.add(service_key)
            continue

        if scope_u == "UNKNOWN":
            continue

        if scope_u != "PUBLIC":
            continue

        if self._has_geo(item.get("lat"), item.get("lon")):
            self.map.add(service_key)
        else:
            self.unm.add(service_key)

format_chain()

Format cache counters for the status line.

Source code in state/status_cache.py
115
116
117
118
119
120
121
122
123
def format_chain(self) -> str:
    """Format cache counters for the status line."""
    return (
        f"SOCK {len(self.sock)} "
        f"SERV {len(self.serv)} "
        f"MAP {len(self.map)} "
        f"UNM {len(self.unm)} "
        f"LOC {len(self.loc)}"
    )

to_store()

Convert key sets to JSON-friendly lists for Dash stores.

Source code in state/status_cache.py
125
126
127
128
129
130
131
132
133
def to_store(self) -> dict[str, Any]:
    """Convert key sets to JSON-friendly lists for Dash stores."""
    return {
        "sock": [list(x) for x in sorted(self.sock)],
        "serv": [list(x) for x in sorted(self.serv)],
        "map": [list(x) for x in sorted(self.map)],
        "unm": [list(x) for x in sorted(self.unm)],
        "loc": [list(x) for x in sorted(self.loc)],
    }

from_store(data) classmethod

Build StatusCache from Dash store data.

Source code in state/status_cache.py
135
136
137
138
139
140
141
142
143
144
145
146
147
@classmethod
def from_store(cls, data: Any) -> StatusCache:
    """Build StatusCache from Dash store data."""
    cache = cls()
    if not isinstance(data, dict):
        return cache

    cache.sock = cls._read_sock(data.get("sock"))
    cache.serv = cls._read_serv(data.get("serv"))
    cache.map = cls._read_serv(data.get("map"))
    cache.unm = cls._read_serv(data.get("unm"))
    cache.loc = cls._read_serv(data.get("loc"))
    return cache

show_ui_cache(ui_cache, *, title='UI CACHE')

Show UI cache snapshot in terminal log.

Source code in state/status_cache.py
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
def show_ui_cache(self, ui_cache: dict[str, Any], *, title: str = "UI CACHE") -> None:
    """Show UI cache snapshot in terminal log."""
    logger = logging.getLogger("tapmap.cache")
    ts = datetime.now().strftime("%Y-%m-%d %H:%M:%S")

    cache = ui_cache if isinstance(ui_cache, dict) else {}

    lines: list[str] = []
    lines.append(f"\n{title} ({ts})")
    lines.append(f"CACHE: {self.format_chain()}")
    lines.append(f"Cache entries: {len(cache)}")

    if not cache:
        logger.info("\n".join(lines))
        return

    for key in sorted(cache.keys(), key=self._key_ip_port):
        entry = cache.get(key)
        if not isinstance(entry, dict):
            continue

        ip = self._safe_str(entry.get("ip")) or self._safe_str(key).split("|", 1)[0]

        port = entry.get("port")
        port_txt = str(int(port)) if isinstance(port, int) else "-"

        proto = self._normalize_proto(entry.get("proto"))

        asn_org = self._safe_str(entry.get("asn_org")) or "-"
        city = self._safe_str(entry.get("city")) or ""
        country = self._safe_str(entry.get("country")) or ""
        place = ", ".join([x for x in [city, country] if x]) or "-"

        procs_txt = self._format_procs_with_pids(entry)

        addr = f"{ip}:{port_txt}"
        lines.append(f"{addr:<22} ({proto})  procs={procs_txt}  {asn_org}  place={place}")
    logger.info("\n".join(lines))

render_status_text(*, snapshot, status_cache_data, status_flash, myloc_label, to_int)

Render status bar text.

Source code in state/status_line.py
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
def render_status_text(
    *,
    snapshot: Any,
    status_cache_data: Any,
    status_flash: Any,
    myloc_label: str,
    to_int: Any,
) -> str:
    """Render status bar text."""
    if isinstance(status_flash, dict):
        message = status_flash.get("message")
        if isinstance(message, str) and message:
            return message

    status_cache = StatusCache.from_store(status_cache_data)
    cache_chain = status_cache.format_chain()

    live_tcp_total = 0
    live_tcp_established = 0
    live_tcp_listen = 0
    live_udp_remote = 0
    live_udp_bound = 0
    updated = "--:--:--"
    status = "WAIT"
    note = ""

    if isinstance(snapshot, dict):
        if snapshot.get("error"):
            status = "ERROR"
            note = " (see terminal)"
        else:
            stats = snapshot.get("stats")
            if isinstance(stats, dict):
                online = bool(stats.get("online", True))
                status = "OK" if online else "OFFLINE"
                live_tcp_total = to_int(stats.get("live_tcp_total"))
                live_tcp_established = to_int(stats.get("live_tcp_established"))
                live_tcp_listen = to_int(stats.get("live_tcp_listen"))
                live_udp_remote = to_int(stats.get("live_udp_remote"))
                live_udp_bound = to_int(stats.get("live_udp_bound"))
                updated = stats.get("updated") or updated

    return (
        f"STATUS: {status}{note} | "
        f"LIVE: TCP {live_tcp_total} EST {live_tcp_established} "
        f"LST {live_tcp_listen} UDP R {live_udp_remote} "
        f"B {live_udp_bound} | "
        f"CACHE: {cache_chain} | "
        f"UPDATED: {updated} | "
        f"MYLOC: {myloc_label}"
    )