-
Notifications
You must be signed in to change notification settings - Fork 2
/
procs.nim
2152 lines (2026 loc) · 109 KB
/
procs.nim
1
2
3
4
5
6
7
8
9
10
11
12
13
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
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
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
## Linux /proc data/display/query interfaces - both cmdline & library
#XXX Could port to BSD using libkvm/kvm_getprocs/_getargv/_getenvv/kinfo_proc;
#Requirement analysis just tri-source. Field presence/semantics may vary a lot.
import std/[os, posix, strutils, sets, tables, terminal, algorithm, nre,
critbits, parseutils, monotimes],
cligen/[posixUt,mslice,sysUt,textUt,humanUt,strUt,abbrev,macUt,puSig]
export signum # from puSig; For backward compatibility
when not declared(stdout): import std/syncio
type
Ce = CatchableError
Proc* = object ##Abstract proc data (including a kind vector)
kind*: seq[uint8] ##kind nums for independent format dimensions
st*: Stat
pidPath*: seq[Pid]
state*: char
spid*, cmd*, usr*, grp*: string
pid*, pid0*, ppid0*, pgrp*, sess*, pgid*, nThr*: Pid
flags*, minflt*, cminflt*, majflt*, cmajflt*: culong
t0*, ageD*, utime*, stime*, cutime*, cstime*: culong
prio*, nice*: clong
vsize*, rss*, rss_rlim*, rtprio*, sched*, blkioTks*, gtime*, cgtime*,
data0*, data1*, brk0*, arg0*, arg1*, env0*, env1*: culong
startcode*, endcode*, startstk*, kstk_esp*, kstk_eip*, wchan0*: uint64
tty*: Dev
exit_sig*, processor*, exitCode*: cint
size*, res*, share*, txt*, lib*, dat*, dty*: culong
environ*, usrs*, grps*: seq[string]
cmdLine*, root*, cwd*, exe*: string
name*, umask*, stateS*: string
tgid*, ngid*, pid1*, ppid*, tracerPid*, nStgid*, nSpid*, nSpgid*, nSsid*:Pid
uids*: array[4, Uid] #id_real, id_eff, id_set, id_fs
gids*: array[4, Gid] #id_real, id_eff, id_set, id_fs
groups*: seq[Gid]
vmPeak*,vmSize*,vmLck*,vmPin*,vmHWM*,vmRSS*, rssAnon*,rssFile*,rssShmem*,
vmData*, vmStk*, vmExe*, vmLib*, vmPTE*, vmSwap*, hugeTLB*: uint64
fDSize*, coreDumping*, tHP_enabled*, threads*, noNewPrivs*, seccomp*: uint16
sigQ*, sigPnd*, shdPnd*, sigBlk*, sigIgn*, sigCgt*: string
capInh*, capPrm*, capEff*, capBnd*, capAmb*: string
spec_Store_Bypass*: string
cpusAllowed*, memsAllowed*: uint16
cpusAllowedList*, memsAllowedList*: string
volunCtxtSwitch*, nonVolunCtxtSwitch*: uint64
wchan*: string
rch*, wch*, syscr*, syscw*, rbl*, wbl*, wcancel*: uint64
nIpc*, nMnt*, nNet*, nPid*, nUser*, nUts*, nCgroup*, nPid4Kids*: Ino
fd0*, fd1*, fd2*, fd3*, fd4*, fd5*, fd6*: string #/proc/PID/fd/*
oom_score*, oom_adj*, oom_score_adj*: cint
pss*, pss_dirty*, pss_anon*, pss_file*, shrClean*, shrDirty*, #smaps_rollup
pvtClean*, pvtDirty*, refd*, anon*, lazyFree*, thpAnon*, thpShm*,
thpFile*, thpShr*, thpPvt*, pss_swap*, pss_lock*: uint64
pSched*, pWait*, pNOnCPU*: int64 #XXX /proc/PID/(personality|limits|..)
ProcField* = enum #stat
pf_pid0=0, pf_cmd, pf_state, pf_ppid0, pf_pgrp, pf_sess, pf_tty, pf_pgid,
pf_flags, pf_minflt, pf_cminflt, pf_majflt, pf_cmajflt, pf_utime, pf_stime,
pf_cutime, pf_cstime, pf_prio, pf_nice, pf_nThr, pf_alrm, pf_t0, pf_vsize,
pf_rss, pf_rss_rlim, pf_startcode, pf_endcode, pf_startstk, pf_kstk_esp,
pf_kstk_eip,
pf_sigPnd, pf_sigBlk, pf_sigIgn, pf_sigCgt, #DO NOT USE THESE or pf_alrm
pf_wchan0, pf_defunct1, pf_defunct2, #DO NOT USE THESE
pf_exit_sig, pf_processor, pf_rtprio, pf_sched, pf_blkioTks, pf_gtime,
pf_cgtime, pf_data0, pf_data1, pf_brk0, pf_arg0, pf_arg1, pf_env0, pf_env1,
pf_exitCode,
pffs_uid, pffs_gid, #fstat
pffs_usr, pffs_grp, pfs_usrs, pfs_grps, #/etc/pw
pfsm_size,pfsm_res, pfsm_share,pfsm_txt,pfsm_lib,pfsm_dat,pfsm_dty, #statm
pfcl_cmdline, pfen_environ, pfr_root, pfc_cwd, pfe_exe, #various
pfs_name, pfs_umask, pfs_stateS, pfs_tgid, pfs_ngid, #status
pfs_pid1, pfs_pPid, pfs_tracerPid, pfs_uids, pfs_gids,
pfs_fDSize, pfs_groups, pfs_nStgid, pfs_nSpid, pfs_nSpgid, pfs_nSsid,
pfs_vmPeak, pfs_vmSize, pfs_vmLck, pfs_vmPin, pfs_vmHWM, pfs_vmRSS,
pfs_rssAnon, pfs_rssFile, pfs_rssShmem,
pfs_vmData, pfs_vmStk, pfs_vmExe, pfs_vmLib, pfs_vmPTE, pfs_vmSwap,
pfs_hugeTLB, pfs_coreDumping, pfs_tHP_enabled, pfs_threads,
pfs_sigQ, pfs_sigPnd, pfs_shdPnd, pfs_sigBlk, pfs_sigIgn, pfs_sigCgt,
pfs_capInh, pfs_capPrm, pfs_capEff, pfs_capBnd, pfs_capAmb,
pfs_noNewPrivs, pfs_seccomp, pfs_specStoreBypass,
pfs_cpusAllowed, pfs_cpusAllowedList,
pfs_memsAllowed, pfs_memsAllowedList,
pfs_volunCtxtSwitch, pfs_nonVolunCtxtSwitch,
pfw_wchan, #wchan
pfi_rch, pfi_wch, pfi_syscr, pfi_syscw, pfi_rbl, pfi_wbl, pfi_wcancel, #io
pfn_ipc, pfn_mnt, pfn_net, pfn_pid, pfn_user, pfn_uts, #NmSpcs
pfn_cgroup, pfn_pid4Kids,
pfd_0, pfd_1, pfd_2, pfd_3, pfd_4, pfd_5, pfd_6, #/proc/PID/fd/*
pfo_score, pfo_adj, pfo_score_adj, #oom scoring
pfsr_pss, pfsr_pss_dirty, pfsr_pss_anon, pfsr_pss_file, pfsr_shrClean,
pfsr_shrDirty, pfsr_pvtClean, pfsr_pvtDirty, pfsr_refd, pfsr_anon,
pfsr_lazyFree, pfsr_thpAnon, pfsr_thpShm, pfsr_thpFile, pfsr_thpShr,
pfsr_thpPvt, pfsr_pss_swap, pfsr_pss_lock,
pfss_sched, pfss_wait, pfss_NOnCPU # User+Sys Tm;Tm waiting2run;NumOnThisCPU
ProcFields* = set[ProcField]
ProcSrc = enum psFStat,psStat,psStatm,psStatus,psWChan,psIO,psSMapsR,psSchedSt
ProcSrcs* = set[ProcSrc]
NmSpc* = enum nsIpc = "ipc" , nsMnt = "mnt", nsNet = "net", nsPid = "pid",
nsUser = "user", nsUts = "uts", nsCgroup = "cgroup",
nsPid4Kids = "pid4kids"
PfAct* = enum acEcho = "echo", acKill = "kill", acNice = "nice",
acWait1 = "wait", acWaitA = "Wait", acCount = "count"
# # # # Types for System-wide data # # # #
MemInfo* = tuple[MemTotal, MemFree, MemAvailable, Buffers, Cached,
SwapCached, Active, Inactive, ActiveAnon, InactiveAnon, ActiveFile,
InactiveFile, Unevictable, Mlocked, SwapTotal, SwapFree, Dirty, Writeback,
AnonPages, Mapped, Shmem, KReclaimable, Slab, SReclaimable, SUnreclaim,
KernelStack, PageTables, NFS_Unstable, Bounce, WritebackTmp, CommitLimit,
Committed_AS, VmallocTotal, VmallocUsed, VmallocChunk, Percpu,
AnonHugePages, ShmemHugePages, ShmemPmdMapped, CmaTotal, CmaFree,
HugePagesTotal, HugePagesFree, HugePagesRsvd, HugePagesSurp,
Hugepagesize, Hugetlb, DirectMap4k, DirectMap2M, DirectMap1G: uint]
CPUInfo* = tuple[user, nice, system, idle, iowait, irq,
softirq, steal, guest, guest_nice: int]
SoftIRQs* = tuple[all, hi, timer, net_tx, net_rx, blk,
irq_poll, tasklet, sched, hrtimer, rcu: int]
SysStat* = tuple[cpu: seq[CPUInfo], ##Index 0=combined
interrupts, contextSwitches, bootTime,
procs, procsRunnable, procsBlocked: int,
softIRQ: SoftIRQs]
NetStat* = tuple[bytes, packets, errors, drops, fifo, frame,
compressed, multicast: int]
NetDevStat* = tuple[name: string; rcvd, sent: NetStat]
NetDevStats* = seq[NetDevStat]
DiskIOStat* = tuple[nIO, nMerge, nSector, msecs: int]
DiskStat* = tuple[major, minor: int, name: string,
reads, writes, cancels: DiskIOStat,
inFlight, ioTicks, timeInQ: int]
DiskStats* = seq[DiskStat]
LoadAvg* = tuple[m1, m5, m15: string; runnable, total: int; mostRecent: Pid]
Sys* = tuple[m: MemInfo; s: SysStat; l: LoadAvg; d: DiskStats; n: NetDevStats]
SysSrc = enum ssMemInfo, ssStat, ssLoadAvg, ssDiskStat, ssNetDev
SysSrcs* = set[SysSrc]
proc toPfn(ns: NmSpc): ProcField =
case ns
of nsIpc: pfn_ipc
of nsMnt: pfn_mnt
of nsNet: pfn_net
of nsPid: pfn_pid
of nsUser: pfn_user
of nsUts: pfn_uts
of nsCgroup: pfn_cgroup
of nsPid4Kids: pfn_pid4Kids
const needsStat = { pf_cmd, pf_state, pf_ppid0, pf_pgrp, pf_sess,
pf_tty, pf_pgid, pf_flags, pf_minflt, pf_cminflt, pf_majflt, pf_cmajflt,
pf_utime, pf_stime, pf_cutime, pf_cstime, pf_prio, pf_nice, pf_nThr,
pf_t0, pf_vsize, pf_rss, pf_rss_rlim, pf_startcode, pf_endcode, pf_startstk,
pf_kstk_esp, pf_kstk_eip, pf_wchan0, pf_exit_sig, pf_processor, pf_rtprio,
pf_sched }
const needsFstat = { pffs_uid, pffs_gid, pffs_usr, pffs_grp }
const needsStatm = { pfsm_size, pfsm_res, pfsm_share, pfsm_txt, pfsm_lib,
pfsm_dat, pfsm_dty }
const needsStatus = { pfs_name, pfs_umask, pfs_stateS, pfs_tgid, pfs_ngid,
pfs_pid1, pfs_pPid, pfs_tracerPid, pfs_uids, pfs_gids, pfs_fDSize, pfs_groups,
pfs_nStgid, pfs_nSpid, pfs_nSpgid, pfs_nSsid, pfs_vmPeak, pfs_vmSize,
pfs_vmLck, pfs_vmPin, pfs_vmHWM, pfs_vmRSS, pfs_rssAnon, pfs_rssFile,
pfs_rssShmem, pfs_vmData, pfs_vmStk, pfs_vmExe, pfs_vmLib, pfs_vmPTE,
pfs_vmSwap, pfs_hugeTLB, pfs_coreDumping, pfs_tHP_enabled, pfs_threads,
pfs_sigQ, pfs_sigPnd, pfs_shdPnd, pfs_sigBlk, pfs_sigIgn, pfs_sigCgt,
pfs_capInh, pfs_capPrm, pfs_capEff, pfs_capBnd, pfs_capAmb, pfs_noNewPrivs,
pfs_seccomp, pfs_specStoreBypass, pfs_cpusAllowed,
pfs_cpusAllowedList, pfs_memsAllowed, pfs_memsAllowedList,
pfs_volunCtxtSwitch, pfs_nonVolunCtxtSwitch }
const needsSchedSt = { pfss_sched, pfss_wait, pfss_NOnCPU }
var usrs*: Table[Uid, string] #user tables
var uids*: Table[string, Uid]
var grps*: Table[Gid, string] #group tables
var gids*: Table[string, Gid]
proc invert*[T, U](x: Table[T, U]): Table[U, T] =
for k, v in x.pairs: result[v] = k
# # # # # # # PROCESS SPECIFIC /proc/PID/file PARSING # # # # # # #
const needsIO = { pfi_rch, pfi_wch, pfi_syscr, pfi_syscw,
pfi_rbl, pfi_wbl, pfi_wcancel }
const needsSMapsR = { pfsr_pss, pfsr_pss_dirty, pfsr_pss_anon, pfsr_pss_file,
pfsr_shrClean, pfsr_shrDirty, pfsr_pvtClean, pfsr_pvtDirty, pfsr_refd,
pfsr_anon, pfsr_lazyFree, pfsr_thpAnon, pfsr_thpShm, pfsr_thpFile,
pfsr_thpShr, pfsr_thpPvt, pfsr_pss_swap, pfsr_pss_lock }
proc needs*(fill: var ProcFields): ProcSrcs =
## Compute the ``ProcDatas`` argument for ``read(var Proc)`` based on
## all the requested fields in ``fill``.
if pffs_usr in fill: fill.incl pffs_uid #If string usr/grp requested then
if pffs_grp in fill: fill.incl pffs_gid #..add the numeric id to fill.
if pfs_usrs in fill: fill.incl pfs_uids
if pfs_grps in fill: fill.incl pfs_gids
if (needsFstat * fill).card > 0: result.incl psFStat
if (needsStat * fill).card > 0: result.incl psStat
if (needsStatm * fill).card > 0: result.incl psStatm
if (needsStatus * fill).card > 0: result.incl psStatus
if (needsIO * fill).card > 0: result.incl psIO
if (needsSchedSt * fill).card > 0: result.incl psSchedSt
if (needsSMapsR * fill).card > 0: result.incl psSMapsR
if pffs_usr in fill or pfs_usrs in fill and usrs.len == 0: usrs = users()
if pffs_grp in fill or pfs_grps in fill and grps.len == 0: grps = groups()
proc nonDecimal(s: string): bool =
for c in s:
if c < '0' or c > '9': return true
iterator allPids*(): string =
## Yield all pids as strings on a running Linux system via /proc entries
for pcKind, pid in walkDir("/proc", relative=true):
if pcKind != pcDir or pid.nonDecimal: continue
yield pid
proc pidsIt*(pids: seq[string]): auto =
## Yield pids as strings from provided ``seq`` if non-empty or ``/proc``.
result = iterator(): string =
if pids.len > 0:
for pid in pids: yield pid
else:
for pid in allPids(): yield pid
template forPid*(pids: seq[string], body) {.dirty.} =
if pids.len > 0: (for pid in pids: body)
else: (for pid in allPids(): body)
proc toPid(s: string|MSlice): Pid {.inline.} = parseInt(s).Pid
proc toDev(s: string|MSlice): Dev {.inline.} = parseInt(s).Dev
proc toCul(s: string|MSlice, unit=1): culong{.inline.} = parseInt(s).culong*unit.culong
proc toCui(s: string|MSlice): cuint {.inline.} = parseInt(s).cuint
proc toU16(s: string|MSlice): uint16{.inline.} = parseInt(s).uint16
proc toU64(s: string|MSlice, unit=1): uint64{.inline.} = parseInt(s).uint64*unit.uint64
proc toCin(s: string|MSlice): cint {.inline.} = parseInt(s).cint
proc toInt(s: string|MSlice): int {.inline.} = parseInt(s)
proc toMem(s: string|MSlice): uint64{.inline.} = parseInt(s).uint64
var buf = newStringOfCap(4096) #shared IO buffer for all readFile
proc readStat*(p: var Proc; pr: string, fill: ProcFields): bool =
## Populate ``Proc p`` pf_ fields requested in ``fill`` via /proc/PID/stat.
## Returns false upon missing/corrupt file (eg. stale ``pid`` | not Linux).
result = true
(pr & "stat").readFile buf
let cmd0 = buf.find(" (") #Bracket command. Works even if cmd has
let cmd1 = buf.rfind(") ") #..parens or whitespace chars in it.
if cmd0 == -1 or cmd1 == -1 or p.spid.len < cmd0 or
cmpMem(p.spid[0].addr, buf[0].addr, p.spid.len) != 0: return false
let nC = cmd1 - (cmd0 + 2)
if pf_pid0 in fill: p.pid0 = MSlice(mem: buf[0].addr, len: cmd0).toPid
if pf_cmd in fill: p.cmd.setLen nC; copyMem p.cmd[0].addr,buf[cmd0+2].addr,nC
var i = 1
if buf[^1] == '\n': buf.setLen buf.len - 1
for s in MSlice(mem: buf[cmd1 + 2].addr, len: buf.len - (cmd1 + 2)).mSlices:
i.inc; case i
of pf_state .int:p.state =if pf_state in fill: s[0] else:'\0'
of pf_ppid0 .int:p.ppid0 =if pf_ppid0 in fill: toPid(s) else:0
of pf_pgrp .int:p.pgrp =if pf_pgrp in fill: toPid(s) else:0
of pf_sess .int:p.sess =if pf_sess in fill: toPid(s) else:0
of pf_tty .int:p.tty =if pf_tty in fill: toDev(s) else:0
of pf_pgid .int:p.pgid =if pf_pgid in fill: toPid(s) else:0
of pf_flags .int:p.flags =if pf_flags in fill: toCul(s) else:0
of pf_minflt .int:p.minflt =if pf_minflt in fill: toCul(s) else:0
of pf_cminflt .int:p.cminflt =if pf_cminflt in fill: toCul(s) else:0
of pf_majflt .int:p.majflt =if pf_majflt in fill: toCul(s) else:0
of pf_cmajflt .int:p.cmajflt =if pf_cmajflt in fill: toCul(s) else:0
of pf_utime .int:p.utime =if pf_utime in fill: toCul(s) else:0
of pf_stime .int:p.stime =if pf_stime in fill: toCul(s) else:0
of pf_cutime .int:p.cutime =if pf_cutime in fill: toCul(s) else:0
of pf_cstime .int:p.cstime =if pf_cstime in fill: toCul(s) else:0
of pf_prio .int:p.prio =if pf_prio in fill: toInt(s) else:0
of pf_nice .int:p.nice =if pf_nice in fill: toInt(s) else:0
of pf_nThr .int:p.nThr =if pf_nThr in fill: toPid(s) else:0
of pf_alrm .int: discard #discontinued
of pf_t0 .int:p.t0 =if pf_t0 in fill: toCul(s) else:0
of pf_vsize .int:p.vsize =if pf_vsize in fill: toCul(s) else:0
of pf_rss .int:p.rss =if pf_rss in fill: toCul(s,4096)else:0
of pf_rss_rlim .int:p.rss_rlim =if pf_rss_rlim in fill: toCul(s) else:0
of pf_startcode.int:p.startcode=if pf_startcode in fill: toU64(s) else:0
of pf_endcode .int:p.endcode =if pf_endcode in fill: toU64(s) else:0
of pf_startstk .int:p.startstk =if pf_startstk in fill: toU64(s) else:0
of pf_kstk_esp .int:p.kstk_esp =if pf_kstk_esp in fill: toU64(s) else:0
of pf_kstk_eip .int:p.kstk_eip =if pf_kstk_eip in fill: toU64(s) else:0
of pf_sigPnd .int: discard #discontinued
of pf_sigBlk .int: discard #discontinued
of pf_sigIgn .int: discard #discontinued
of pf_sigCgt .int: discard #discontinued
of pf_wchan0 .int:p.wchan0 =if pf_wchan0 in fill: toU64(s) else:0
of pf_defunct1 .int: discard #discontinued
of pf_defunct2 .int: discard #discontinued
of pf_exit_sig .int:p.exit_sig =if pf_exit_sig in fill: toCin(s) else:0
of pf_processor.int:p.processor=if pf_processor in fill: toCin(s) else:0
of pf_rtprio .int:p.rtprio =if pf_rtprio in fill: toCul(s) else:0
of pf_sched .int:p.sched =if pf_sched in fill: toCul(s) else:0
of pf_blkioTks .int:p.blkioTks =if pf_blkioTks in fill: toCul(s) else:0
of pf_gtime .int:p.gtime =if pf_gtime in fill: toCul(s) else:0
of pf_cgtime .int:p.cgtime =if pf_cgtime in fill: toCul(s) else:0
of pf_data0 .int:p.data0 =if pf_data0 in fill: toCul(s) else:0
of pf_data1 .int:p.data1 =if pf_data1 in fill: toCul(s) else:0
of pf_brk0 .int:p.brk0 =if pf_brk0 in fill: toCul(s) else:0
of pf_arg0 .int:p.arg0 =if pf_arg0 in fill: toCul(s) else:0
of pf_arg1 .int:p.arg1 =if pf_arg1 in fill: toCul(s) else:0
of pf_env0 .int:p.env0 =if pf_env0 in fill: toCul(s) else:0
of pf_env1 .int:p.env1 =if pf_env1 in fill: toCul(s) else:0
of pf_exitCode .int:p.exitCode =if pf_exitCode in fill: toCin(s) else:0
else: discard
proc readStatm*(p: var Proc; pr: string, fill: ProcFields): bool =
## Populate ``Proc p`` pfsm_ fields requested in ``fill`` via /proc/PID/statm.
## Returns false upon missing/corrupt file (eg. stale ``pid`` | not Linux).
result = true
(pr & "statm").readFile buf
let c = buf.split
if c.len != 7:
return false
if pfsm_size in fill: p.size = toCul(c[0])
if pfsm_res in fill: p.res = toCul(c[1])
if pfsm_share in fill: p.share = toCul(c[2])
if pfsm_txt in fill: p.txt = toCul(c[3])
if pfsm_lib in fill: p.lib = toCul(c[4])
if pfsm_dat in fill: p.dat = toCul(c[5])
if pfsm_dty in fill: p.dty = toCul(c[6])
proc readStatus*(p: var Proc; pr: string, fill: ProcFields): bool=
## Populate ``Proc p`` pfs_ fields requested in ``fill`` via /proc/PID/status.
## Returns false upon missing/corrupt file (eg. stale ``pid`` | not Linux).
proc `<`(f: ProcField, fs: ProcFields): bool {.inline} = f in fs
result = true
(pr & "status").readFile buf
var c = newSeqOfCap[string](32)
for line in buf.split('\n'):
if line.len == 0 or line.splitr(c, seps=wspace) < 2: continue
let n = c[0]
if pfs_name < fill and n=="Name:": p.name = c[1]
elif pfs_umask < fill and n=="Umask:": p.umask = c[1]
elif pfs_stateS < fill and n=="State:": p.stateS = c[1]
elif pfs_tgid < fill and n=="Tgid:": p.tgid = toPid(c[1])
elif pfs_ngid < fill and n=="Ngid:": p.ngid = toPid(c[1])
elif pfs_pid1 < fill and n=="Pid:": p.pid1 = toPid(c[1])
elif pfs_pPid < fill and n=="PPid:": p.ppid = toPid(c[1])
elif pfs_tracerPid < fill and n=="TracerPid:": p.tracerPid = toPid(c[1])
elif pfs_uids < fill and n=="Uid:":
if c.len != 5: return false
for i in 0..3: p.uids[i] = toCui(c[i+1]).Uid
elif pfs_gids < fill and n=="Gid:":
if c.len != 5: return false
for i in 0..3: p.gids[i] = toCui(c[i+1]).Gid
elif pfs_fDSize < fill and n=="FDSize:": p.fDSize = toU16(c[1])
elif pfs_groups < fill and n=="Groups:":
p.groups.setLen(c.len - 1)
for i, g in c[1..^1]: p.groups[i] = toCui(g).Gid
elif pfs_nStgid < fill and n=="NStgid:": p.nStgid = toPid(c[1])
elif pfs_nSpid < fill and n=="NSpid:": p.nSpid = toPid(c[1])
elif pfs_nSpgid < fill and n=="NSpgid:": p.nSpgid = toPid(c[1])
elif pfs_nSsid < fill and n=="NSsid:": p.nSsid = toPid(c[1])
elif pfs_vmPeak < fill and n=="VmPeak:": p.vmPeak = toMem(c[1])
elif pfs_vmSize < fill and n=="VmSize:": p.vmSize = toMem(c[1])
elif pfs_vmLck < fill and n=="VmLck:": p.vmLck = toMem(c[1])
elif pfs_vmPin < fill and n=="VmPin:": p.vmPin = toMem(c[1])
elif pfs_vmHWM < fill and n=="VmHWM:": p.vmHWM = toMem(c[1])
elif pfs_vmRSS < fill and n=="VmRSS:": p.vmRSS = toMem(c[1])
elif pfs_rssAnon < fill and n=="RssAnon:": p.rssAnon = toMem(c[1])
elif pfs_rssFile < fill and n=="RssFile:": p.rssFile = toMem(c[1])
elif pfs_rssShmem < fill and n=="RssShmem:": p.rssShmem = toMem(c[1])
elif pfs_vmData < fill and n=="VmData:": p.vmData = toMem(c[1])
elif pfs_vmStk < fill and n=="VmStk:": p.vmStk = toMem(c[1])
elif pfs_vmExe < fill and n=="VmExe:": p.vmExe = toMem(c[1])
elif pfs_vmLib < fill and n=="VmLib:": p.vmLib = toMem(c[1])
elif pfs_vmPTE < fill and n=="VmPTE:": p.vmPTE = toMem(c[1])
elif pfs_vmSwap < fill and n=="VmSwap:": p.vmSwap = toMem(c[1])
elif pfs_hugeTLB < fill and n=="HugetlbPages:":p.hugeTLB = toMem(c[1])
elif pfs_coreDumping<fill and n=="CoreDumping:": p.coreDumping= toU16(c[1])
elif pfs_tHP_enabled<fill and n=="THP_enabled:": p.tHP_enabled= toU16(c[1])
elif pfs_threads < fill and n=="Threads:": p.threads = toU16(c[1])
elif pfs_sigQ < fill and n=="SigQ:": p.sigQ = c[1]
elif pfs_sigPnd < fill and n=="SigPnd:": p.sigPnd = c[1]
elif pfs_shdPnd < fill and n=="ShdPnd:": p.shdPnd = c[1]
elif pfs_sigBlk < fill and n=="SigBlk:": p.sigBlk = c[1]
elif pfs_sigIgn < fill and n=="SigIgn:": p.sigIgn = c[1]
elif pfs_sigCgt < fill and n=="SigCgt:": p.sigCgt = c[1]
elif pfs_capInh < fill and n=="CapInh:": p.capInh = c[1]
elif pfs_capPrm < fill and n=="CapPrm:": p.capPrm = c[1]
elif pfs_capEff < fill and n=="CapEff:": p.capEff = c[1]
elif pfs_capBnd < fill and n=="CapBnd:": p.capBnd = c[1]
elif pfs_capAmb < fill and n=="CapAmb:": p.capAmb = c[1]
elif pfs_noNewPrivs < fill and n=="NoNewPrivs:": p.noNewPrivs = toU16(c[1])
elif pfs_seccomp < fill and n=="Seccomp:": p.seccomp = toU16(c[1])
elif pfs_specStoreBypass < fill and n=="Speculation_Store_Bypass:":
p.spec_Store_Bypass = c[1]
elif pfs_cpusAllowed<fill and n=="Cpus_allowed:":p.cpusAllowed=toU16(c[1])
elif pfs_cpusAllowedList < fill and n=="Cpus_allowed_list:":
p.cpusAllowedList = c[1]
elif pfs_memsAllowed<fill and n=="Mems_allowed:":p.memsAllowed=toU16(c[1])
elif pfs_memsAllowedList < fill and n=="Mems_allowed_list:":
p.memsAllowedList = c[1]
elif pfs_volunCtxtSwitch < fill and n=="voluntary_ctxt_switches:":
p.volunCtxtSwitch = toU64(c[1])
elif pfs_volunCtxtSwitch < fill and n=="nonvoluntary_ctxt_switches:":
p.nonVolunCtxtSwitch = toU64(c[1])
proc readIO*(p: var Proc; pr: string, fill: ProcFields): bool =
## Populate ``Proc p`` pfi_ fields requested in ``fill`` via /proc/PID/io.
## Returns false upon missing/corrupt file (eg. stale ``pid`` | not Linux).
result = true
(pr & "io").readFile buf
if buf.len == 0:
if pfi_rch in fill: p.rch = 0
if pfi_wch in fill: p.wch = 0
if pfi_syscr in fill: p.syscr = 0
if pfi_syscw in fill: p.syscw = 0
if pfi_rbl in fill: p.rbl = 0
if pfi_wbl in fill: p.wbl = 0
if pfi_wcancel in fill: p.wcancel = 0
return
var cols = newSeqOfCap[string](2)
for line in buf.split('\n'):
if line.len == 0: break
if line.splitr(cols, sep=' ') != 2: return false
let nm = cols[0]
if pfi_rch in fill and nm == "rchar:" : p.rch = toU64(cols[1])
if pfi_wch in fill and nm == "wchar:" : p.wch = toU64(cols[1])
if pfi_syscr in fill and nm == "syscr:" : p.syscr = toU64(cols[1])
if pfi_syscw in fill and nm == "syscw:" : p.syscw = toU64(cols[1])
if pfi_rbl in fill and nm == "read_bytes:" : p.rbl = toU64(cols[1])
if pfi_wbl in fill and nm == "write_bytes:": p.wbl = toU64(cols[1])
if pfi_wcancel in fill and nm == "cancelled_write_bytes:":
p.wcancel = toU64(cols[1])
proc readSchedStat*(p: var Proc; pr: string, fill: ProcFields): bool =
## Fill `Proc p` pfss_ fields requested in `fill` via /proc/PID/schedstat. If
## (stale `pid`, not Linux, CONFIG_SCHEDSTATS=n, etc.) return false.
result = true
(pr & "schedstat").readFile buf
if buf.len == 0:
if card({pfss_sched, pf_utime, pf_stime}*fill) == 3:
p.pSched = int64(p.utime + p.stime)*10_000_000i64
if pfss_wait in fill: p.pWait = 0
if pfss_NOnCPU in fill: p.pNOnCPU = 0
return
var cols = newSeqOfCap[string](3)
for line in buf.split('\n'):
if line.len == 0: break
if line.splitr(cols, sep=' ') != 3: return false
if pfss_sched in fill: p.pSched = cols[0].toInt
if pfss_wait in fill: p.pWait = cols[1].toInt
if pfss_NOnCPU in fill: p.pNOnCPU = cols[2].toInt
proc readSMapsR*(p: var Proc; pr: string, fill: ProcFields): bool =
## Use /proc/PID/smaps_rollup to populate ``fill``-requested ``Proc p`` pfsr_
## fields. Returns false on missing/corrupt file (eg. stale ``pid``).
result = true
(pr & "smaps_rollup").readFile buf
if buf.len == 0: # %M is rare enough to not optimize setting to zero?
p.pss = 0; p.pss_dirty = 0; p.pss_anon = 0; p.pss_file = 0; p.shrClean = 0
p.shrDirty = 0; p.pvtClean = 0; p.pvtDirty = 0; p.refd = 0; p.anon = 0
p.lazyFree = 0; p.thpAnon = 0; p.thpShm = 0; p.thpFile = 0; p.thpShr = 0
p.thpPvt = 0; p.pss_swap = 0; p.pss_lock = 0
return # Likely a permissions problem
var cols = newSeqOfCap[string](2)
for line in buf.split('\n'):
if line.len == 0 or line.splitr(cols, seps=wspace) < 2: continue
let nm = cols[0]
template doF(eTag, sTag, f, e) = (if eTag in fill and nm == sTag: p.f = e)
doF pfsr_pss , "Pss:" , pss , cols[1].toU64*1024
doF pfsr_pss_dirty, "Pss_Dirty:" , pss_dirty, cols[1].toU64*1024
doF pfsr_pss_anon , "Pss_Anon:" , pss_anon , cols[1].toU64*1024
doF pfsr_pss_file , "Pss_File:" , pss_file , cols[1].toU64*1024
doF pfsr_shrClean , "Shared_Clean:" , shrClean , cols[1].toU64*1024
doF pfsr_shrDirty , "Shared_Dirty:" , shrDirty , cols[1].toU64*1024
doF pfsr_pvtClean , "Private_Clean:" , pvtClean , cols[1].toU64*1024
doF pfsr_pvtDirty , "Private_Dirty:" , pvtDirty , cols[1].toU64*1024
doF pfsr_refd , "Referenced:" , refd , cols[1].toU64*1024
doF pfsr_anon , "Anonymous:" , anon , cols[1].toU64*1024
doF pfsr_lazyFree , "LazyFree:" , lazyFree , cols[1].toU64*1024
doF pfsr_thpAnon , "AnonHugePages:" , thpAnon , cols[1].toU64*1024
doF pfsr_thpShm , "ShmemPmdMapped:" , thpShm , cols[1].toU64*1024
doF pfsr_thpFile , "FilePmdMapped:" , thpFile , cols[1].toU64*1024
doF pfsr_thpShr , "Shared_Hugetlb:" , thpShr , cols[1].toU64*1024
doF pfsr_thpPvt , "Private_Hugetlb:", thpPvt , cols[1].toU64*1024
doF pfsr_pss_swap , "SwapPss:" , pss_swap , cols[1].toU64*1024
doF pfsr_pss_lock , "Locked:" , pss_lock , cols[1].toU64*1024
let devNull* = open("/dev/null", fmWrite)
proc read*(p: var Proc; pid: string, fill: ProcFields, sneed: ProcSrcs): bool =
## Omnibus entry point. Fill ``Proc p`` with fields requested in ``fill`` via
## all required ``/proc`` files. Returns false upon missing/corrupt file (eg.
## stale ``pid`` | not Linux).
result = true #Ok unless early exit says elsewise
let pr = "/proc/" & pid & "/"
if psFStat in sneed: #Must happen before p.st gets used below
if stat(pr.cstring, p.st) == -1: return false
p.spid = pid
p.pid = toPid(pid)
p.pidPath.setLen 0
if psStat in sneed and not p.readStat(pr, fill): return false
if pfcl_cmdline in fill:
(pr & "cmdline").readFile buf
p.cmdLine = buf
if pfen_environ in fill:
(pr & "environ").readFile buf
p.environ = buf.split('\0')
if pfr_root in fill: p.root = readlink(pr & "root", devNull)
if pfc_cwd in fill: p.cwd = readlink(pr & "cwd" , devNull)
if pfe_exe in fill: p.exe = readlink(pr & "exe" , devNull)
if psStatm in sneed and not p.readStatm( pr, fill): return false
if psStatus in sneed and not p.readStatus(pr, fill): return false
if pfw_wchan in fill: (pr & "wchan").readFile buf; p.wchan = buf
if psIO in sneed and not p.readIO(pr, fill): return false
if psSchedSt in sneed: discard p.readSchedStat(pr, fill)
if psSMapsR in sneed and not p.readSMapsR(pr, fill): return false
if pffs_usr in fill: p.usr = usrs.getOrDefault(p.st.st_uid, $p.st.st_uid)
if pffs_grp in fill: p.grp = grps.getOrDefault(p.st.st_gid, $p.st.st_gid)
if pfs_usrs in fill:
for ui in p.uids: p.usrs.add usrs.getOrDefault(ui, $ui)
if pfs_grps in fill:
for gi in p.gids: p.grps.add grps.getOrDefault(gi, $gi)
#Maybe faster to readlink, remove tag:[] in tag:[inode], decimal->binary.
if pfn_ipc in fill: p.nIpc = st_inode(pr & "ns/ipc", devNull)
if pfn_mnt in fill: p.nMnt = st_inode(pr & "ns/mnt", devNull)
if pfn_net in fill: p.nNet = st_inode(pr & "ns/net", devNull)
if pfn_pid in fill: p.nPid = st_inode(pr & "ns/pid", devNull)
if pfn_user in fill: p.nUser = st_inode(pr & "ns/user", devNull)
if pfn_uts in fill: p.nUts = st_inode(pr & "ns/uts", devNull)
if pfn_cgroup in fill: p.nCgroup = st_inode(pr & "ns/cgroup", devNull)
if pfn_pid4Kids in fill:p.nPid4Kids=st_inode(pr&"ns/pid_for_children",devNull)
if pfd_0 in fill: p.fd0 = readlink(pr & "fd/0", devNull)
if pfd_1 in fill: p.fd1 = readlink(pr & "fd/1", devNull)
if pfd_2 in fill: p.fd2 = readlink(pr & "fd/2", devNull)
if pfd_3 in fill: p.fd3 = readlink(pr & "fd/3", devNull)
if pfd_4 in fill: p.fd4 = readlink(pr & "fd/4", devNull)
if pfd_5 in fill: p.fd5 = readlink(pr & "fd/5", devNull)
if pfd_6 in fill: p.fd6 = readlink(pr & "fd/6", devNull)
template doInt(x, y, z: untyped) {.dirty.} =
if x in fill: (pr & y).readFile buf; z = buf.strip.parseInt.cint
doInt(pfo_score , "oom_score" , p.oom_score )
doInt(pfo_adj , "oom_adj" , p.oom_adj )
doInt(pfo_score_adj, "oom_score_adj", p.oom_score_adj)
proc merge*(p: var Proc; q: Proc, fill: ProcFields, overwriteSetValued=false) =
## Merge ``fill`` fields for ``q`` on to those for ``p``. Summing makes sense
## for fields like ``utime``, min|max for eg ``t0``, or bool-aggregated for eg
## ``foo``. When there is no natural aggregation the merged value is really
## set-valued (eg, ``tty``). In such cases, by default, the first Proc wins
## the field unless ``overwriteSetValued`` is ``true``.
if p.pidPath.len > q.pidPath.len: p.pidPath = q.pidPath
p.ppid0 = if p.pidPath.len > 0: p.pidPath[^1] else: 0
if pf_minflt in fill: p.minflt += q.minflt
if pf_cminflt in fill: p.cminflt += q.cminflt
if pf_majflt in fill: p.majflt += q.majflt
if pf_cmajflt in fill: p.cmajflt += q.cmajflt
if pf_utime in fill: p.utime += q.utime
if pf_stime in fill: p.stime += q.stime
if pf_cutime in fill: p.cutime += q.cutime
if pf_cstime in fill: p.cstime += q.cstime
if pfss_sched in fill: p.pSched += q.pSched
if pfss_wait in fill: p.pWait += q.pWait
if pf_utime in fill: p.t0 = min(p.t0, q.t0)
if pf_exitCode in fill: p.exitCode += q.exitCode
if pf_nThr in fill: p.nThr += q.nThr
if pffs_uid in fill: p.st.st_uid=min(p.st.st_uid, q.st.st_uid)
if pffs_gid in fill: p.st.st_gid=min(p.st.st_gid, q.st.st_gid)
if pfsm_dty in fill: p.dty += q.dty
if pfs_threads in fill: p.threads += q.threads
if pfs_vmPeak in fill: p.vmPeak = max(p.vmPeak, q.vmPeak)
if pfs_vmHWM in fill: p.vmHWM = max(p.vmHWM , q.vmHWM )
if pfs_vmLck in fill: p.vmLck += q.vmLck
if pfs_vmPin in fill: p.vmPin += q.vmPin
if pfs_volunCtxtSwitch in fill: p.volunCtxtSwitch += q.volunCtxtSwitch
if pfs_nonVolunCtxtSwitch in fill:p.nonVolunCtxtSwitch += q.nonVolunCtxtSwitch
if pfi_rch in fill: p.rch += q.rch
if pfi_wch in fill: p.wch += q.wch
if pfi_syscr in fill: p.syscr += q.syscr
if pfi_syscw in fill: p.syscw += q.syscw
if pfi_rbl in fill: p.rbl += q.rbl
if pfi_wbl in fill: p.wbl += q.wbl
if pfi_wcancel in fill: p.wcancel += q.wcancel
if overwriteSetValued: #XXX trickier fields: mem,capabilities,signals,sched,..
if pf_tty in fill: p.tty = q.tty
if pf_cmd in fill: p.cmd = q.cmd
if pfcl_cmdline in fill: p.cmdLine = q.cmdLine
if pfw_wchan in fill: p.wchan = q.wchan
if pf_processor in fill: p.processor = q.processor
if pffs_usr in fill: p.usr = q.usr
if pffs_grp in fill: p.grp = q.grp
if pfs_name in fill: p.name = q.name
proc minusEq*(p: var Proc, q: Proc, fill: ProcFields) =
## For temporal differences, set ``p.field -= q`` for all fields in ``fill``
## for fields where summing makes sense in ``merge``.
template doInt(e, f: untyped) {.dirty.} =
if e in fill: p.f -= q.f
doInt(pf_rss , rss )
doInt(pfsr_pss , pss )
doInt(pf_minflt , minflt )
doInt(pf_cminflt , cminflt )
doInt(pf_majflt , majflt )
doInt(pf_cmajflt , cmajflt )
doInt(pf_utime , utime )
doInt(pf_stime , stime )
doInt(pf_cutime , cutime )
doInt(pf_cstime , cstime )
doInt(pfss_sched , pSched )
doInt(pfss_wait , pWait )
doInt(pf_exitCode , exitCode )
doInt(pf_nThr , nThr )
doInt(pfsm_size , size )
doInt(pfsm_res , res )
doInt(pfsm_share , share )
doInt(pfsm_txt , txt )
doInt(pfsm_lib , lib )
doInt(pfsm_dat , dat )
doInt(pfsm_dty , dty )
doInt(pfs_threads , threads )
doInt(pfs_vmPeak , vmPeak )
doInt(pfs_vmSize , vmSize )
doInt(pfs_vmLck , vmLck )
doInt(pfs_vmPin , vmPin )
doInt(pfs_vmHWM , vmHWM )
doInt(pfs_vmRSS , vmRSS )
doInt(pfs_rssAnon , rssAnon )
doInt(pfs_rssFile , rssFile )
doInt(pfs_rssShmem , rssShmem )
doInt(pfs_volunCtxtSwitch , volunCtxtSwitch )
doInt(pfs_nonVolunCtxtSwitch, nonVolunCtxtSwitch)
doInt(pfi_rch , rch )
doInt(pfi_wch , wch )
doInt(pfi_syscr , syscr )
doInt(pfi_syscw , syscw )
doInt(pfi_rbl , rbl )
doInt(pfi_wbl , wbl )
doInt(pfi_wcancel , wcancel )
# # # # # # # NON-PROCESS SPECIFIC /proc PARSING # # # # # # #
proc procUptime*(): culong =
## System uptime in jiffies (there are 100 jiffies per second)
"/proc/uptime".readFile buf
let decimal = buf.find('.')
if decimal == -1: return
buf[decimal..decimal+1] = buf[decimal+1..decimal+2]
buf[decimal+2] = ' '
var x: int
discard parseInt(buf, x)
x.culong
proc procMemInfo*(): MemInfo =
## /proc/meminfo fields (in bytes or pages if specified).
"/proc/meminfo".readFile buf
proc toU(s: string, unit=1): uint {.inline.} = toU64(s, unit).uint
var nm = ""
for line in buf.split('\n'):
var i = 0
for col in line.splitWhitespace:
if i == 0: nm = col
else:
if nm=="MemTotal:" : result.MemTotal = toU(col, 1024)
elif nm=="MemFree:" : result.MemFree = toU(col, 1024)
elif nm=="MemAvailable:" : result.MemAvailable = toU(col, 1024)
elif nm=="Buffers:" : result.Buffers = toU(col, 1024)
elif nm=="Cached:" : result.Cached = toU(col, 1024)
elif nm=="SwapCached:" : result.SwapCached = toU(col, 1024)
elif nm=="Active:" : result.Active = toU(col, 1024)
elif nm=="Inactive:" : result.Inactive = toU(col, 1024)
elif nm=="Active(anon):" : result.ActiveAnon = toU(col, 1024)
elif nm=="Inactive(anon):" : result.InactiveAnon = toU(col, 1024)
elif nm=="Active(file):" : result.ActiveFile = toU(col, 1024)
elif nm=="Inactive(file):" : result.InactiveFile = toU(col, 1024)
elif nm=="Unevictable:" : result.Unevictable = toU(col, 1024)
elif nm=="Mlocked:" : result.Mlocked = toU(col, 1024)
elif nm=="SwapTotal:" : result.SwapTotal = toU(col, 1024)
elif nm=="SwapFree:" : result.SwapFree = toU(col, 1024)
elif nm=="Dirty:" : result.Dirty = toU(col, 1024)
elif nm=="Writeback:" : result.Writeback = toU(col, 1024)
elif nm=="AnonPages:" : result.AnonPages = toU(col, 1024)
elif nm=="Mapped:" : result.Mapped = toU(col, 1024)
elif nm=="Shmem:" : result.Shmem = toU(col, 1024)
elif nm=="KReclaimable:" : result.KReclaimable = toU(col, 1024)
elif nm=="Slab:" : result.Slab = toU(col, 1024)
elif nm=="SReclaimable:" : result.SReclaimable = toU(col, 1024)
elif nm=="SUnreclaim:" : result.SUnreclaim = toU(col, 1024)
elif nm=="KernelStack:" : result.KernelStack = toU(col, 1024)
elif nm=="PageTables:" : result.PageTables = toU(col, 1024)
elif nm=="NFS_Unstable:" : result.NFS_Unstable = toU(col, 1024)
elif nm=="Bounce:" : result.Bounce = toU(col, 1024)
elif nm=="WritebackTmp:" : result.WritebackTmp = toU(col, 1024)
elif nm=="CommitLimit:" : result.CommitLimit = toU(col, 1024)
elif nm=="Committed_AS:" : result.Committed_AS = toU(col, 1024)
elif nm=="VmallocTotal:" : result.VmallocTotal = toU(col, 1024)
elif nm=="VmallocUsed:" : result.VmallocUsed = toU(col, 1024)
elif nm=="VmallocChunk:" : result.VmallocChunk = toU(col, 1024)
elif nm=="Percpu:" : result.Percpu = toU(col, 1024)
elif nm=="AnonHugePages:" : result.AnonHugePages = toU(col, 1024)
elif nm=="ShmemHugePages:" : result.ShmemHugePages = toU(col, 1024)
elif nm=="ShmemPmdMapped:" : result.ShmemPmdMapped = toU(col, 1024)
elif nm=="CmaTotal:" : result.CmaTotal = toU(col, 1024)
elif nm=="CmaFree:" : result.CmaFree = toU(col, 1024)
elif nm=="HugePages_Total:": result.HugePagesTotal = toU(col)
elif nm=="HugePages_Free:" : result.HugePagesFree = toU(col)
elif nm=="HugePages_Rsvd:" : result.HugePagesRsvd = toU(col)
elif nm=="HugePages_Surp:" : result.HugePagesSurp = toU(col)
elif nm=="Hugepagesize:" : result.Hugepagesize = toU(col, 1024)
elif nm=="Hugetlb:" : result.Hugetlb = toU(col, 1024)
elif nm=="DirectMap4k:" : result.DirectMap4k = toU(col, 1024)
elif nm=="DirectMap2M:" : result.DirectMap2M = toU(col, 1024)
elif nm=="DirectMap1G:" : result.DirectMap1G = toU(col, 1024)
break
i.inc
proc parseCPUInfo*(rest: string): CPUInfo =
let col = rest.splitWhitespace
result.user = parseInt(col[0])
result.nice = parseInt(col[1])
result.system = parseInt(col[2])
result.idle = parseInt(col[3])
result.iowait = parseInt(col[4])
result.irq = parseInt(col[5])
result.softirq = parseInt(col[6])
result.steal = parseInt(col[7])
result.guest = parseInt(col[8])
result.guest_nice = parseInt(col[9])
proc parseSoftIRQs*(rest: string): SoftIRQs =
let col = rest.splitWhitespace #"softirq" == [0]
result.all = parseInt(col[0])
result.hi = parseInt(col[1])
result.timer = parseInt(col[2])
result.net_tx = parseInt(col[3])
result.net_rx = parseInt(col[4])
result.blk = parseInt(col[5])
result.irq_poll = parseInt(col[6])
result.tasklet = parseInt(col[7])
result.sched = parseInt(col[8])
result.hrtimer = parseInt(col[9])
result.rcu = parseInt(col[10])
proc procSysStat*(): SysStat =
for line in lines("/proc/stat"):
let cols = line.splitWhitespace(maxSplit=1)
if cols.len != 2: continue
let nm = cols[0]
let rest = cols[1]
if nm.startsWith("cpu"): result.cpu.add rest.parseCPUInfo
elif nm == "intr": result.interrupts =
parseInt(rest.splitWhitespace(maxSplit=1)[0])
elif nm == "ctxt": result.contextSwitches = parseInt(rest)
elif nm == "btime": result.bootTime = parseInt(rest)
elif nm == "processes": result.procs = parseInt(rest)
elif nm == "procs_running": result.procsRunnable = parseInt(rest)
elif nm == "procs_blocked": result.procsBlocked = parseInt(rest)
elif nm == "softirq": result.softIRQ = rest.parseSoftIRQs()
proc parseNetStat*(cols: seq[string]): NetStat =
result.bytes = parseInt(cols[0])
result.packets = parseInt(cols[1])
result.errors = parseInt(cols[2])
result.drops = parseInt(cols[3])
result.fifo = parseInt(cols[4])
result.frame = parseInt(cols[5])
result.compressed = parseInt(cols[6])
result.multicast = parseInt(cols[7])
proc procNetDevStats*(): seq[NetDevStat] =
var i = 0
var row: NetDevStat
for line in lines("/proc/net/dev"):
i.inc
if i < 3: continue
let cols = line.splitWhitespace
if cols.len < 17:
stderr.write "unexpected format in /proc/net/dev\n"
return
row.name = cols[0]
if row.name.len > 0 and row.name[^1] == ':':
row.name.setLen row.name.len - 1
row.rcvd = parseNetStat(cols[1..8])
row.sent = parseNetStat(cols[9..16])
result.add row.move
proc parseIOStat*(cols: seq[string]): DiskIOStat =
result.nIO = parseInt(cols[0])
result.nMerge = parseInt(cols[1])
result.nSector = parseInt(cols[2])
result.msecs = parseInt(cols[3])
proc procDiskStats*(): seq[DiskStat] =
var row: DiskStat
for line in lines("/proc/diskstats"):
let cols = line.splitWhitespace
if cols.len < 18:
stderr.write "unexpected format in /proc/diskstats\n"
return
row.major = parseInt(cols[0])
row.minor = parseInt(cols[1])
row.name = cols[2]
row.reads = cols[3..6].parseIOStat()
row.writes = cols[7..10].parseIOStat()
row.inFlight = parseInt(cols[11])
row.ioTicks = parseInt(cols[12])
row.timeInQ = parseInt(cols[13])
row.cancels = cols[14..17].parseIOStat()
result.add row.move
proc procLoadAvg*(): LoadAvg =
let cols = readFile("/proc/loadavg").splitWhitespace()
if cols.len != 5: return
result.m1 = cols[0]
result.m5 = cols[1]
result.m15 = cols[2]
result.mostRecent = parseInt(cols[4]).Pid
let runTotal = cols[3].split('/')
if runTotal.len != 2: return
result.runnable = parseInt(runTotal[0])
result.total = parseInt(runTotal[1])
# # # # # # # RELATED PROCESS MGMT APIs # # # # # # #
proc usrToUid*(usr: string): Uid =
## Convert string|numeric user designations to Uids via usrs
if usr.len == 0: return 999.Uid
if usr[0].isDigit: return toInt(usr).Uid
if usrs.len == 0: usrs = users()
if usrs.len != 0 and uids.len == 0: uids = usrs.invert
result = uids.getOrDefault(usr, 999.Uid)
proc usrToUid*(usrs: seq[string]): seq[Uid] =
for usr in usrs: result.add usrToUid(usr)
proc grpToGid*(grp: string): Gid =
## Convert string|numeric group designations to Gids via grps
if grp.len == 0: return 999.Gid
if grp[0].isDigit: return toInt(grp).Gid
if grps.len == 0: grps = groups()
if grps.len != 0 and gids.len == 0: gids = grps.invert
result = gids.getOrDefault(grp, 999.Gid)
proc grpToGid*(grps: seq[string]): seq[Gid] =
for grp in grps: result.add grpToGid(grp)
proc ttyToDev*(tty: string): Dev = #tty string names -> nums
## Convert /dev/ttx or ttx to a (Linux) device number
var st: Stat
if tty.startsWith('/'): return (if stat(tty, st)==0: st.st_rdev else: 0xFFFF)
if stat(cstring("/dev/" & tty), st)==0: return st.st_rdev
if tty.len>1 and tty[0]=='t' and stat(cstring("/dev/tty"&tty[1..^1]), st)==0:
return st.st_rdev
if tty.len>1 and tty[0]=='p' and stat(cstring("/dev/pts/"&tty[1..^1]), st)==0:
return st.st_rdev
return 0xFFFF
proc ttyToDev*(ttys: seq[string]): seq[Dev] = #tty string names -> nums
for tty in ttys: result.add ttyToDev(tty)
#XXX waitAny & waitAll should obtain pidfds ASAP & use pidfd_send_signal. pList
#should maybe even become seq[fd]. procs can still die between classification &
#pidfd creation. Need CLONE_PIDFD/parent-kid relationship for TRUE reliability,
#BUT non-parent-kid relations is actually the main point of this API.
iterator waitLoop(delay, limit: Timespec): int =
let lim = limit.tv_sec.int*1_000_000_000 + limit.tv_nsec
let dly = delay.tv_sec.int*1_000_000_000 + delay.tv_nsec
let nL = lim div dly
var j = 0
while j < nL or lim == 0:
yield j; inc j
nanosleep(delay)
proc waitAny*(pList: seq[Pid]; delay, limit: Timespec): int =
## Wait for ANY PIDs in `pList` to not exist; Timeout after `limit`.
for it in waitLoop(delay, limit):
for i, pid in pList:
if kill(pid, 0) == -1 and errno != EPERM: return i
proc waitAll*(pList: seq[Pid]; delay, limit: Timespec) =
## Wait for ALL PIDs in `pList` to not exist once; Timeout after `limit`.
var failed = newSeq[bool](pList.len)
var count = 0
for it in waitLoop(delay, limit):
for i, pid in pList:
if not failed[i]:
if kill(pid, 0) == -1 and errno != EPERM:
failed[i] = true
count.inc
if count == failed.len: return
# # # # # # # COMMAND-LINE INTERFACE: display # # # # # # #
type
Test = tuple[pfs: ProcFields, test: proc(p:var Proc):bool] #unattributed
Kind = tuple[attr:string, kord:uint8, test:proc(p:var Proc):bool]
Cmp = tuple[sgn: int, cmp: proc(x, y: ptr Proc): int] #1-level cmp
Field = tuple[prefix: string; left: bool; wid: int; c: char; hdr: string,
fmt: proc(p: var Proc, wMax=0): string] #1-field fmt
KindDim = tuple[k, d: uint8]
DpCf* = object #User set/cfg fields early; Computed/intern fields after pids.
kind*, colors*, color*, ageFmt*: seq[string] ##usrDefd kind/colrs
incl*, excl*, merge*, hdrs*: seq[string] ##usrDefd filt,aggr
order*, diffCmp*, format*, maxUnm*, maxGnm*: string ##see help string
indent*, width*: int ##termWidth override
delay*: Timespec
blanks*, wide*, binary*, plain*, header*, realIds*, schedStat*: bool ##flags
pids*: seq[string] ##pids to display
t0: Timespec #ref time for pTms
kinds: seq[Kind] #kinds user colors
ukind: seq[seq[uint8]] #USED kind dim seqs
sin, sex: set[uint8] #compiled filters
nin, nex: int #fast cardinality
cmps, diffCmps: seq[Cmp] #compares for sort
fields: seq[Field] #fields to format
mergeKDs: HashSet[KindDim] #kinds to merge
need, diff: ProcFields #fieldNeeds(above 6)
sneed: ProcSrcs #dataNeeds(above)
uidNeeds, gidNeeds, usrNeeds, grpNeeds: ProcFields #allow id src swtch
forest, needKin, needUptm, needTotRAM, needNow: bool #flags
uptm: culong
totRAM: uint64
nowNs: string
tmFmtL, tmFmtU, tmFmtP, tmFmtS: seq[tuple[age:int,fmt:string]] #lo/up/p/stmp
uAbb, gAbb: Abbrev
a0, attrDiff: string #if plain: ""
attrSize: array[0..25, string] #CAP letter-indexed with ord(x) - ord('A')
tests: CritBitTree[Test]
kslot: CritBitTree[tuple[slot:uint8, pfs:ProcFields, dim:int]] #for filters
kslotNm: seq[string] #Inverse of above
var cg: ptr DpCf #Lazy way out of making many little procs take DpCf
var cmpsG: ptr seq[Cmp]
###### BUILT-IN CLASSIFICATION TESTS
var builtin: CritBitTree[Test]
template tAdd(name, pfs, t: untyped) {.dirty.} =
builtin[name] = (pfs, proc(p: var Proc): bool {.closure.} = t)
tAdd("unknown", {}): true
tAdd("sleep", {pf_state} ): p.state in { 'S', 'I' }
tAdd("run" , {pf_state} ): p.state in { 'R', 'D' }
tAdd("stop" , {pf_state} ): p.state in { 'T', 't' }
tAdd("zomb" , {pf_state} ): p.state == 'Z'
tAdd("niced", {pf_nice} ): p.nice != 0
tAdd("MT" , {pf_nThr} ): p.nThr > 1
tAdd("L" , {pfs_vmLck}): p.vmLck > 0'u64
tAdd("kern" , {pf_ppid0} ): p.pid == 2 or p.ppid0 == 2
let selfPid = getpid()
tAdd("self" , {} ): p.pid == selfPid
proc cmdClean(cmd: string): string =
result.setLen cmd.len
for i, c in cmd:
result[i] = if ord(c) < 32: ' ' else: c
while result[^1] == ' ':
result.setLen result.len - 1
###### USER-DEFINED CLASSIFICATION TESTS
proc testPCRegex(rxes: seq[Regex], p: var Proc): bool =
result = false
for r in rxes:
if p.cmd.contains(r): return true
proc getUid(p: Proc): Uid = (if cg.realIds: p.uids[0] else: p.st.st_uid)
proc getGid(p: Proc): Gid = (if cg.realIds: p.gids[0] else: p.st.st_gid)
proc getUsr(p: Proc): string = (if cg.realIds: p.usrs[0] else: p.usr )
proc getGrp(p: Proc): string = (if cg.realIds: p.grps[0] else: p.grp )
proc testOwnId[Id](owns: HashSet[Id], p: var Proc): bool =
when Id is Uid: p.getUid in owns
else : p.getGid in owns
proc testUsr(nms: HashSet[string], p: var Proc): bool = p.usr in nms
proc testGrp(nms: HashSet[string], p: var Proc): bool = p.grp in nms
proc testAll(tsts: seq[Test], p: var Proc): bool =
result = true
for i, t in tsts:
if not(t.test p): return false
proc testAny(tsts: seq[Test], p: var Proc): bool =
for t in tsts:
if t.test p: return true
proc testNone(tsts: seq[Test], p: var Proc): bool =
result = true
for t in tsts:
if t.test p: return false
proc addPCRegex(cf: var DpCf; nm, s: string) = #Q: add flags/modes?
var rxes: seq[Regex]
for pattern in s.splitWhitespace: rxes.add pattern.re
cf.tests[nm] = ({pf_cmd}, proc(p: var Proc): bool = rxes.testPCRegex p)
proc addOwnId(cf: var DpCf; md: char; nm, s: string) =
var s: HashSet[Uid] | HashSet[Gid] = if md == 'u': s.splitWhitespace.toUidSet
else: s.splitWhitespace.toGidSet
let depends = if md == 'u': cf.uidNeeds else: cf.gidNeeds
cf.tests[nm] = (depends, proc(p: var Proc): bool = s.testOwnId(p))
proc addOwner(cf: var DpCf; md: char; nm, s: string) =
var s = s.splitWhitespace.toHashSet
if md == 'u':
cf.tests[nm] = (cf.usrNeeds, proc(p: var Proc): bool = s.testUsr(p))
else:
cf.tests[nm] = (cf.grpNeeds, proc(p: var Proc): bool = s.testGrp(p))
proc addCombo(cf: var DpCf; tester: auto; nm, s: string) =
var tsts: seq[Test]