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
use std::collections::BTreeMap;
use std::collections::BTreeSet;
use std::fmt;
use std::str::FromStr;
use std::time::Duration;
use std::time::Instant;
use std::time::SystemTime;
use anyhow::anyhow;
use anyhow::Context;
use anyhow::Result;
use common::open_source_shim;
use serde::Deserialize;
use serde::Serialize;
#[macro_use]
pub mod collector;
pub mod cgroup;
pub mod collector_plugin;
#[cfg(test)]
mod common_field_ids;
pub mod network;
pub mod process;
pub mod sample;
mod sample_model;
pub mod system;
open_source_shim!(pub);
pub use cgroup::*;
pub use collector::*;
pub use network::*;
pub use process::*;
pub use sample::*;
pub use system::*;
#[derive(Clone, Debug)]
pub enum Field {
U32(u32),
U64(u64),
I32(i32),
I64(i64),
F32(f32),
F64(f64),
Str(String),
PidState(procfs::PidState),
VecU32(Vec<u32>),
}
impl From<Field> for u64 {
fn from(field: Field) -> u64 {
match field {
Field::U32(v) => v as u64,
Field::U64(v) => v as u64,
_ => panic!("Operation for unsupported types"),
}
}
}
impl From<Field> for i64 {
fn from(field: Field) -> i64 {
match field {
Field::I32(v) => v as i64,
Field::I64(v) => v as i64,
_ => panic!("Operation for unsupported types"),
}
}
}
impl From<Field> for f32 {
fn from(field: Field) -> f32 {
let result: f64 = field.into();
result as f32
}
}
impl From<Field> for f64 {
fn from(field: Field) -> f64 {
match field {
Field::U32(v) => v as f64,
Field::U64(v) => v as f64,
Field::I32(v) => v as f64,
Field::I64(v) => v as f64,
Field::F32(v) => v as f64,
Field::F64(v) => v,
_ => panic!("Operation for unsupported types"),
}
}
}
impl From<Field> for String {
fn from(field: Field) -> String {
match field {
Field::Str(v) => v,
_ => panic!("Operation for unsupported types"),
}
}
}
impl From<u32> for Field {
fn from(v: u32) -> Self {
Field::U32(v)
}
}
impl From<u64> for Field {
fn from(v: u64) -> Self {
Field::U64(v)
}
}
impl From<i32> for Field {
fn from(v: i32) -> Self {
Field::I32(v)
}
}
impl From<i64> for Field {
fn from(v: i64) -> Self {
Field::I64(v)
}
}
impl From<f32> for Field {
fn from(v: f32) -> Self {
Field::F32(v)
}
}
impl From<f64> for Field {
fn from(v: f64) -> Self {
Field::F64(v)
}
}
impl From<String> for Field {
fn from(v: String) -> Self {
Field::Str(v)
}
}
impl From<procfs::PidState> for Field {
fn from(v: procfs::PidState) -> Self {
Field::PidState(v)
}
}
impl From<Vec<u32>> for Field {
fn from(v: Vec<u32>) -> Self {
Field::VecU32(v)
}
}
impl<T: Into<Field> + Clone> From<&T> for Field {
fn from(v: &T) -> Self {
v.clone().into()
}
}
impl std::ops::Add for Field {
type Output = Self;
fn add(self, other: Self) -> Self {
match (self, other) {
(Field::U32(s), Field::U32(o)) => (s + o).into(),
(Field::U64(s), Field::U64(o)) => (s + o).into(),
(Field::I32(s), Field::I32(o)) => (s + o).into(),
(Field::I64(s), Field::I64(o)) => (s + o).into(),
(Field::F32(s), Field::F32(o)) => (s + o).into(),
(Field::F64(s), Field::F64(o)) => (s + o).into(),
(Field::Str(s), Field::Str(o)) => (s + &o).into(),
_ => panic!("Operation for unsupported types"),
}
}
}
impl PartialEq for Field {
fn eq(&self, other: &Self) -> bool {
match (self, other) {
(Field::U32(s), Field::U32(o)) => s == o,
(Field::U64(s), Field::U64(o)) => s == o,
(Field::I32(s), Field::I32(o)) => s == o,
(Field::I64(s), Field::I64(o)) => s == o,
(Field::F32(s), Field::F32(o)) => s == o,
(Field::F64(s), Field::F64(o)) => s == o,
(Field::Str(s), Field::Str(o)) => s == o,
(Field::PidState(s), Field::PidState(o)) => s == o,
(Field::VecU32(s), Field::VecU32(o)) => s == o,
_ => false,
}
}
}
impl PartialOrd for Field {
fn partial_cmp(&self, other: &Self) -> Option<std::cmp::Ordering> {
match (self, other) {
(Field::U32(s), Field::U32(o)) => s.partial_cmp(o),
(Field::U64(s), Field::U64(o)) => s.partial_cmp(o),
(Field::I32(s), Field::I32(o)) => s.partial_cmp(o),
(Field::I64(s), Field::I64(o)) => s.partial_cmp(o),
(Field::F32(s), Field::F32(o)) => s.partial_cmp(o),
(Field::F64(s), Field::F64(o)) => s.partial_cmp(o),
(Field::Str(s), Field::Str(o)) => s.partial_cmp(o),
(Field::PidState(s), Field::PidState(o)) => s.partial_cmp(o),
(Field::VecU32(s), Field::VecU32(o)) => s.partial_cmp(o),
_ => None,
}
}
}
impl fmt::Display for Field {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self {
Field::U32(v) => v.fmt(f),
Field::U64(v) => v.fmt(f),
Field::I32(v) => v.fmt(f),
Field::I64(v) => v.fmt(f),
Field::F32(v) => v.fmt(f),
Field::F64(v) => v.fmt(f),
Field::Str(v) => v.fmt(f),
Field::PidState(v) => v.fmt(f),
Field::VecU32(v) => f.write_fmt(format_args!("{:?}", v)),
}
}
}
pub trait Queriable {
type FieldId: FieldId<Queriable = Self>;
fn query(&self, field_id: &Self::FieldId) -> Option<Field>;
}
pub trait FieldId: Sized {
type Queriable: Queriable<FieldId = Self> + ?Sized;
}
pub fn sort_queriables<T: Queriable>(queriables: &mut [&T], field_id: &T::FieldId, reverse: bool) {
queriables.sort_by(|lhs, rhs| {
let order = lhs
.query(field_id)
.partial_cmp(&rhs.query(field_id))
.unwrap_or(std::cmp::Ordering::Equal);
if reverse { order.reverse() } else { order }
});
}
pub trait EnumIter: Sized + 'static {
fn unit_variant_iter() -> Box<dyn Iterator<Item = Self>> {
Box::new(std::iter::empty())
}
fn all_variant_iter() -> Box<dyn Iterator<Item = Self>> {
Box::new(std::iter::empty())
}
}
pub trait Recursive {
fn get_depth(&self) -> usize;
}
#[derive(Clone, Debug, PartialEq)]
pub struct VecFieldId<F: FieldId> {
pub idx: Option<usize>,
pub subquery_id: F,
}
impl<F: FieldId> FieldId for VecFieldId<F>
where
<F as FieldId>::Queriable: Sized,
{
type Queriable = Vec<F::Queriable>;
}
impl<F: FieldId + EnumIter> EnumIter for VecFieldId<F> {
fn all_variant_iter() -> Box<dyn Iterator<Item = Self>> {
Box::new(F::all_variant_iter().map(|v| VecFieldId {
idx: None,
subquery_id: v,
}))
}
}
impl<F: FieldId + ToString> ToString for VecFieldId<F> {
fn to_string(&self) -> String {
match self.idx {
Some(idx) => format!("{}.{}", idx, self.subquery_id.to_string()),
None => format!("<idx>.{}", self.subquery_id.to_string()),
}
}
}
impl<F: FieldId + FromStr> FromStr for VecFieldId<F>
where
<F as FromStr>::Err: Into<anyhow::Error>,
{
type Err = anyhow::Error;
fn from_str(s: &str) -> std::result::Result<Self, Self::Err> {
if let Some(dot_idx) = s.find('.') {
Ok(Self {
idx: Some(s[..dot_idx].parse()?),
subquery_id: F::from_str(&s[dot_idx + 1..]).map_err(Into::into)?,
})
} else {
Err(anyhow!(
"Unable to find a variant of the given enum matching string `{}`.",
s,
))
}
}
}
impl<Q: Queriable> Queriable for Vec<Q> {
type FieldId = VecFieldId<Q::FieldId>;
fn query(&self, field_id: &Self::FieldId) -> Option<Field> {
self.get(field_id.idx?)
.and_then(|f| f.query(&field_id.subquery_id))
}
}
#[derive(Clone, Debug, PartialEq)]
pub struct BTreeMapFieldId<K, F: FieldId> {
pub key: Option<K>,
pub subquery_id: F,
}
impl<K: Ord, F: FieldId> FieldId for BTreeMapFieldId<K, F>
where
<F as FieldId>::Queriable: Sized,
{
type Queriable = BTreeMap<K, F::Queriable>;
}
impl<K: Ord + 'static, F: FieldId + EnumIter> EnumIter for BTreeMapFieldId<K, F> {
fn all_variant_iter() -> Box<dyn Iterator<Item = Self>> {
Box::new(F::all_variant_iter().map(|v| BTreeMapFieldId {
key: None,
subquery_id: v,
}))
}
}
impl<K: ToString, F: FieldId + ToString> ToString for BTreeMapFieldId<K, F> {
fn to_string(&self) -> String {
match &self.key {
Some(key) => format!("{}.{}", key.to_string(), self.subquery_id.to_string()),
None => format!("<key>.{}", self.subquery_id.to_string()),
}
}
}
impl<K: FromStr, F: FieldId + FromStr> FromStr for BTreeMapFieldId<K, F>
where
<K as FromStr>::Err: Into<anyhow::Error>,
<F as FromStr>::Err: Into<anyhow::Error>,
{
type Err = anyhow::Error;
fn from_str(s: &str) -> std::result::Result<Self, Self::Err> {
if let Some(dot_idx) = s.find('.') {
Ok(Self {
key: Some(K::from_str(&s[..dot_idx]).map_err(Into::into)?),
subquery_id: F::from_str(&s[dot_idx + 1..]).map_err(Into::into)?,
})
} else {
Err(anyhow!(
"Unable to find a variant of the given enum matching string `{}`.",
s,
))
}
}
}
impl<K: Ord, Q: Queriable> Queriable for BTreeMap<K, Q> {
type FieldId = BTreeMapFieldId<K, Q::FieldId>;
fn query(&self, field_id: &Self::FieldId) -> Option<Field> {
self.get(field_id.key.as_ref()?)
.and_then(|f| f.query(&field_id.subquery_id))
}
}
#[derive(Serialize, Deserialize, below_derive::Queriable)]
pub struct Model {
#[queriable(ignore)]
pub time_elapsed: Duration,
#[queriable(ignore)]
pub timestamp: SystemTime,
#[queriable(subquery)]
pub system: SystemModel,
#[queriable(subquery)]
pub cgroup: CgroupModel,
#[queriable(subquery)]
pub process: ProcessModel,
#[queriable(subquery)]
pub network: NetworkModel,
#[queriable(subquery)]
pub gpu: Option<GpuModel>,
}
impl Model {
pub fn new(timestamp: SystemTime, sample: &Sample, last: Option<(&Sample, Duration)>) -> Self {
Model {
time_elapsed: last.map(|(_, d)| d).unwrap_or_default(),
timestamp,
system: SystemModel::new(&sample.system, last.map(|(s, d)| (&s.system, d))),
cgroup: CgroupModel::new(
"<root>".to_string(),
String::new(),
0,
&sample.cgroup,
last.map(|(s, d)| (&s.cgroup, d)),
)
.aggr_top_level_val(),
process: ProcessModel::new(&sample.processes, last.map(|(s, d)| (&s.processes, d))),
network: NetworkModel::new(&sample.netstats, last.map(|(s, d)| (&s.netstats, d))),
gpu: sample.gpus.as_ref().map(|gpus| {
GpuModel::new(&gpus.gpu_map, {
if let Some((s, d)) = last {
s.gpus.as_ref().map(|g| (&g.gpu_map, d))
} else {
None
}
})
}),
}
}
}
pub fn get_sample_model() -> Model {
serde_json::from_str(sample_model::SAMPLE_MODEL_JSON)
.expect("Failed to deserialize sample model JSON")
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_model_field_ids() {
let all_variants: BTreeSet<String> = ModelFieldId::all_variant_iter()
.map(|v| v.to_string())
.collect();
let expected_field_ids: BTreeSet<String> = field_ids::MODEL_FIELD_IDS
.iter()
.map(|v| v.to_string())
.collect();
assert_eq!(
all_variants,
expected_field_ids,
"new fields: {:?}. missing fields: {:?}",
expected_field_ids
.difference(&all_variants)
.collect::<Vec<_>>(),
all_variants
.difference(&expected_field_ids)
.collect::<Vec<_>>()
);
}
#[test]
fn test_deserialize_sample_model_json() {
get_sample_model();
}
#[derive(Clone, Default, Debug, below_derive::Queriable)]
pub struct TestModel {
pub msg: String,
}
#[test]
fn test_vec_field_id() {
let query_str = "1.msg";
let query = <VecFieldId<TestModelFieldId>>::from_str(query_str).expect("bad query str");
assert_eq!(
query,
VecFieldId {
idx: Some(1),
subquery_id: TestModelFieldId::Msg,
}
);
assert_eq!(query.to_string(), query_str);
}
#[test]
fn test_query_vec() {
let data = vec![
TestModel {
msg: "hello".to_owned(),
},
TestModel {
msg: "world".to_owned(),
},
];
assert_eq!(
data.query(&VecFieldId {
idx: Some(1),
subquery_id: TestModelFieldId::Msg,
}),
Some(Field::Str("world".to_owned()))
);
}
#[test]
fn test_btreemap_field_id() {
let query_str = "hello.msg";
let query = <BTreeMapFieldId<String, TestModelFieldId>>::from_str(query_str)
.expect("bad query str");
assert_eq!(
query,
BTreeMapFieldId {
key: Some("hello".to_owned()),
subquery_id: TestModelFieldId::Msg,
}
);
assert_eq!(query.to_string(), query_str);
}
#[test]
fn test_query_btreemap() {
let mut data = <BTreeMap<String, TestModel>>::new();
data.insert(
"hello".to_owned(),
TestModel {
msg: "world".to_owned(),
},
);
data.insert(
"foo".to_owned(),
TestModel {
msg: "bar".to_owned(),
},
);
assert_eq!(
data.query(&BTreeMapFieldId {
key: Some("hello".to_owned()),
subquery_id: TestModelFieldId::Msg,
}),
Some(Field::Str("world".to_owned()))
);
}
#[test]
fn test_query_models() {
let model = get_sample_model();
for (field_id, expected) in &[
(
"system.hostname",
Some(Field::Str("hostname.example.com".to_owned())),
),
(
"cgroup.path:/init.scope/.cpu.usage_pct",
Some(Field::F64(0.01)),
),
(
"network.interfaces.eth0.interface",
Some(Field::Str("eth0".to_owned())),
),
(
"process.processes.1.comm",
Some(Field::Str("systemd".to_owned())),
),
] {
assert_eq!(
&model.query(
&ModelFieldId::from_str(field_id)
.map_err(|e| format!("Failed to parse field id {}: {:?}", field_id, e))
.unwrap()
),
expected
);
}
}
}