File: main.go

package info (click to toggle)
prometheus-process-exporter 0.4.0%2Bds-1
  • links: PTS, VCS
  • area: main
  • in suites: buster
  • size: 600 kB
  • sloc: sh: 329; makefile: 94
file content (204 lines) | stat: -rw-r--r-- 5,861 bytes parent folder | download
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
package main

import (
	"bufio"
	"bytes"
	"context"
	"flag"
	"fmt"
	"log"
	"os"
	"os/exec"
	"path/filepath"
	"strconv"
	"strings"
	"time"
)

// You wouldn't think our child could start before us, but I have observed it; maybe due to rounding?
var start = time.Now().Unix() - 1

func main() {
	var (
		flagProcessExporter = flag.String("process-exporter", "./process-exporter", "path to process-exporter")
		flagLoadGenerator   = flag.String("load-generator", "./load-generator", "path to load-generator")
		flagAttempts        = flag.Int("attempts", 3, "try this many times before returning failure")
		flagWriteSizeBytes  = flag.Int("write-size-bytes", 1024*1024, "how many bytes to write each cycle")
	)
	flag.Parse()

	ctx, cancel := context.WithCancel(context.Background())
	defer cancel()
	cmdlg := exec.CommandContext(ctx, *flagLoadGenerator, "-write-size-bytes", strconv.Itoa(*flagWriteSizeBytes))
	var buf = &bytes.Buffer{}
	cmdlg.Stdout = buf
	err := cmdlg.Start()
	if err != nil {
		log.Fatalf("Error launching load generator %q: %v", *flagLoadGenerator, err)
	}
	for !strings.HasPrefix(buf.String(), "ready") {
		time.Sleep(time.Second)
	}

	success := false
	for i := 0; i < *flagAttempts; i++ {
		comm := filepath.Base(*flagLoadGenerator)
		cmdpe := exec.CommandContext(ctx, *flagProcessExporter, "-once-to-stdout-delay", "20s",
			"-procnames", comm)
		out, err := cmdpe.Output()
		if err != nil {
			log.Fatalf("Error launching process-exporter %q: %v", *flagProcessExporter, err)
		}
		log.Println(string(out))

		results := getResults(comm, string(out))
		if verify(results) {
			success = true
			break
		}
		log.Printf("try %d/%d failed", i+1, *flagAttempts)
	}

	cancel()
	cmdlg.Wait()

	if !success {
		os.Exit(1)
	}
}

type result struct {
	name   string
	labels map[string]string
	value  float64
}

func getResults(group string, out string) map[string][]result {
	results := make(map[string][]result)

	skiplabel := fmt.Sprintf(`groupname="%s"`, group)
	lines := bufio.NewScanner(strings.NewReader(out))
	lines.Split(bufio.ScanLines)
	for lines.Scan() {
		line := lines.Text()
		metric, value := "", 0.0
		_, err := fmt.Sscanf(line, "namedprocess_namegroup_%s %f", &metric, &value)
		if err != nil {
			continue
		}

		pos := strings.IndexByte(metric, '{')
		if pos == -1 {
			log.Fatalf("cannot parse metric %q, no open curly found", metric)
		}

		name, labelstr := metric[:pos], metric[pos+1:]
		labelstr = labelstr[:len(labelstr)-1]
		labels := make(map[string]string)
		for _, kv := range strings.Split(labelstr, ",") {
			if kv != skiplabel {
				pieces := strings.SplitN(kv, "=", 2)
				labelname, labelvalue := pieces[0], pieces[1][1:len(pieces[1])-1]
				labels[labelname] = labelvalue
			}
		}

		results[name] = append(results[name], result{name, labels, value})
	}
	return results
}

func verify(results map[string][]result) bool {
	success := true

	assertExact := func(name string, got, want float64) {
		if got != want {
			success = false
			log.Printf("expected %s to be %f, got %f", name, want, got)
		}
	}

	assertGreaterOrEqual := func(name string, got, want float64) {
		if got < want {
			success = false
			log.Printf("expected %s to have at least %f, got %f", name, want, got)
		}
	}

	assertExact("num_procs", results["num_procs"][0].value, 1)

	// Four locked threads plus go runtime means more than 7, but we'll say 7 to play it safe.
	assertGreaterOrEqual("num_threads", results["num_threads"][0].value, 7)

	// Our child must have started later than us.
	assertGreaterOrEqual("oldest_start_time_seconds",
		results["oldest_start_time_seconds"][0].value, float64(start))

	for _, result := range results["states"] {
		switch state := result.labels["state"]; state {
		case "Other", "Zombie":
			assertExact("state "+state, result.value, 0)
		case "Running":
			assertGreaterOrEqual("state "+state, result.value, 2)
		case "Waiting":
			assertGreaterOrEqual("state "+state, result.value, 0)
		case "Sleeping":
			assertGreaterOrEqual("state "+state, result.value, 4)
		}
	}

	for _, result := range results["thread_count"] {
		switch tname := result.labels["threadname"]; tname {
		case "blocking", "sysbusy", "userbusy", "waiting":
			assertExact("thread_count "+tname, result.value, 1)
		case "main":
			assertGreaterOrEqual("thread_count "+tname, result.value, 3)
		}
	}

	for _, result := range results["thread_cpu_seconds_total"] {
		if result.labels["cpumode"] == "system" {
			switch tname := result.labels["threadname"]; tname {
			case "sysbusy", "blocking":
				assertGreaterOrEqual("thread_cpu_seconds_total system "+tname, result.value, 0.00001)
			default:
				assertGreaterOrEqual("thread_cpu_seconds_total system "+tname, result.value, 0)
			}
		} else if result.labels["cpumode"] == "user" {
			switch tname := result.labels["threadname"]; tname {
			case "userbusy":
				assertGreaterOrEqual("thread_cpu_seconds_total user "+tname, result.value, 0.00001)
			default:
				assertGreaterOrEqual("thread_cpu_seconds_total user "+tname, result.value, 0)
			}
		}
	}

	for _, result := range results["thread_io_bytes_total"] {
		tname, iomode := result.labels["threadname"], result.labels["iomode"]
		rname := fmt.Sprintf("%s %s %s", "thread_io_bytes_total", iomode, tname)

		switch tname {
		case "blocking", "sysbusy":
			assertGreaterOrEqual(rname, result.value, 0.00001)
		default:
			assertExact(rname, result.value, 0)
		}
	}

	otherwchan := 0.0
	for _, result := range results["threads_wchan"] {
		switch wchan := result.labels["wchan"]; wchan {
		case "poll_schedule_timeout":
			assertGreaterOrEqual(wchan, result.value, 1)
		case "futex_wait_queue_me":
			assertGreaterOrEqual(wchan, result.value, 4)
		default:
			// The specific wchan involved for the blocking thread varies by filesystem.
			otherwchan++
		}
	}
	// assertGreaterOrEqual("other wchan", otherwchan, 1)

	return success
}