-
Notifications
You must be signed in to change notification settings - Fork 3
/
report.go
613 lines (571 loc) · 15.7 KB
/
report.go
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
// SPDX-License-Identifier: GPL-3.0
// Copyright 2022 Pete Heist
package antler
import (
"context"
"encoding/gob"
"fmt"
"io"
"path/filepath"
"runtime/debug"
"github.com/heistp/antler/node"
)
// A reporter can process data items from the node for a single Test. It is run
// as a stage in a pipeline, where data items are received on the in channel,
// and sent on the out channel. Reporters may consume, emit or forward data
// items. Reporters should forward any unrecognized or unhandled items.
//
// Reporters may return at any time, with or without an error. Any remaining
// data on their in channel will be forwarded to the out channel.
//
// Reporters may use the given Context to react to cancellation signals, and if
// canceled, should return the error from context.Cause(ctx). Reporters may also
// ignore the Context. In any case, they should expect that partial input data
// is possible, in which case an error should be returned.
//
// Reporters may read or write results using the given 'rwer'.
//
// Both in and out are always non-nil channels.
//
// If a reporter is the first stage in a pipeline with no input, the in channel
// will be closed immediately with no input data.
//
// If a reporter is the last stage in a pipeline, it may send nothing to out.
// For configuration flexibility, most reports should forward data to out as
// usual, unless they are certain to be the last stage in the pipeline.
//
// Reporters should be concurrent safe.
type reporter interface {
report(ctx context.Context, rw rwer, in <-chan any, out chan<- any) error
}
// Report represents a list of reporters.
type Report []reporters
// report returns an equivalent report instance.
func (r Report) report() (t report) {
for _, p := range r {
t = append(t, p.reporter())
}
return
}
// reporters is a union of the available reporters.
type reporters struct {
Analyze *Analyze
EmitLog *EmitLog
EmitSysInfo *EmitSysInfo
ChartsFCT *ChartsFCT
ChartsTimeSeries *ChartsTimeSeries
SaveFiles *SaveFiles
Encode *Encode
}
// reporter returns the only non-nil reporter implementation.
func (r *reporters) reporter() reporter {
switch {
case r.Analyze != nil:
return r.Analyze
case r.EmitLog != nil:
return r.EmitLog
case r.EmitSysInfo != nil:
return r.EmitSysInfo
case r.ChartsFCT != nil:
return r.ChartsFCT
case r.ChartsTimeSeries != nil:
return r.ChartsTimeSeries
case r.SaveFiles != nil:
return r.SaveFiles
case r.Encode != nil:
return r.Encode
default:
panic("no reporter set in reporters union")
}
}
// report is a Report list with the reporters unions resolved to implementations
// of the reporter interface.
type report []reporter
// add appends another report to this one.
func (r report) add(other report) report {
return append(r, other...)
}
// pipeline confines goroutines to run the reporters in a pipeline.
//
// If in is not nil, the caller is expected to send to in and close it when
// done. If out is not nil, the caller is expected to receive all items from it
// until closed.
//
// If the report has no reporters, a nopReport is added so the pipeline still
// functions per the contract.
//
// The returned error channel receives any errors that occur, and is closed when
// the pipeline is done, meaning all of its stages are done.
func (r report) pipeline(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) <-chan error {
if len(r) == 0 {
r = append(r, nopReport{})
}
var ecc errChans
cc := make([]chan any, len(r)-1)
// set input channel, or make a closed input channel if nil
var pin <-chan any
if pin = in; pin == nil {
i := make(chan any)
close(i)
pin = i
}
// make intermediary channels
for i := 0; i < len(cc); i++ {
cc[i] = make(chan any, dataChanBufLen)
}
// set output channel, or make a drained output channel if nil
var pout chan<- any
if pout = out; pout == nil {
o := make(chan any, dataChanBufLen)
pout = o
ec := ecc.make()
go func(ec chan error) {
defer close(ec)
for range o {
}
}(ec)
}
// start goroutines for each stage
for x, t := range r {
i := pin
if x > 0 {
i = cc[x-1]
}
o := pout
if x < len(r)-1 {
o = cc[x]
}
ec := ecc.make()
go func(t reporter, in <-chan any, out chan<- any, ec chan error) {
defer func() {
for a := range in {
out <- a
}
close(out)
if p := recover(); p != nil {
ec <- fmt.Errorf("pipeline panic in %T: %s\n%s",
t, p, string(debug.Stack()))
}
close(ec)
}()
if e := t.report(ctx, rw, in, out); e != nil {
ec <- e
}
}(t, i, o, ec)
}
return ecc.merge()
}
// tee confines goroutines to pipeline this report to concurrent pipelines for
// each of the given reports. The output for each 'to' report is nil. The
// returned error channel receives any errors that occur, and is closed when
// the tee is done, meaning each of the pipelines is done.
func (r report) tee(ctx context.Context, rw rwer, in <-chan any,
to ...report) <-chan error {
var ic []chan any
for range to {
ic = append(ic, make(chan any, dataChanBufLen))
}
oc := make(chan any, dataChanBufLen)
go func() {
for a := range oc {
for _, o := range ic {
o <- a
}
}
for _, o := range ic {
close(o)
}
}()
var ec errChans
ec.add(r.pipeline(ctx, rw, in, oc))
for i, p := range to {
ec.add(p.pipeline(ctx, rw, ic[i], nil))
}
return ec.merge()
}
// nopReport is a reporter for internal use that does nothing.
type nopReport struct {
}
// report implements reporter
func (nopReport) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) (err error) {
return
}
// SaveFiles is a reporter that saves FileData. If Consume is true, FileData
// items are not forwarded to the out channel.
type SaveFiles struct {
Consume bool
}
// report implements reporter
func (s *SaveFiles) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) (err error) {
m := make(map[string]io.WriteCloser)
defer func() {
for n, w := range m {
if e := w.Close(); e != nil && err == nil {
err = e
}
delete(m, n)
}
}()
for d := range in {
var fd node.FileData
var ok bool
if fd, ok = d.(node.FileData); !ok {
out <- d
continue
}
var w io.WriteCloser
if w, ok = m[fd.Name]; !ok {
w = rw.Writer(fd.Name)
m[fd.Name] = w
out <- FileRef{fd.Name}
}
if _, err = w.Write(fd.Data); err != nil {
return
}
if !s.Consume {
out <- d
}
}
return
}
// FileRef is sent as a data item by SaveFiles to record the presence of a file
// with the specified Name, even after its FileData items may have been
// consumed.
type FileRef struct {
Name string
}
// init registers FileRef with the gob encoder.
func init() {
gob.Register(FileRef{})
}
// Encode is a reporter that encodes files referenced by FileRefs.
type Encode struct {
File []string // list of glob patterns of files to encode
Extension string // extension for newly encoded files (e.g. ".gz")
ReEncode bool // if true, allow re-encoding of file
Destructive bool // if true, delete originals upon success
}
// report implements reporter
func (c *Encode) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) (err error) {
for d := range in {
if f, ok := d.(FileRef); ok {
var m bool
if m, err = c.match(f.Name); err != nil {
return
}
if !m {
continue
}
if err = c.encode(f.Name, rw); err != nil {
return
}
}
out <- d
}
return
}
// match reports whether name matches any of the patterns in the File field.
func (c *Encode) match(name string) (matched bool, err error) {
for _, p := range c.File {
if matched, err = filepath.Match(p, name); matched || err != nil {
return
}
}
return
}
// encode encodes, re-encodes or decodes the named file.
func (c *Encode) encode(name string, rw rwer) (err error) {
var r *ResultReader
if r, err = rw.Reader(name); err != nil {
return
}
defer func() {
if e := r.Close(); e != nil && err == nil {
err = e
}
}()
var w *ResultWriter
w = rw.Writer(name + c.Extension)
defer func() {
if e := w.Close(); e != nil && err == nil {
err = e
}
}()
if !c.ReEncode && r.Codec.Equal(w.Codec) {
return
}
_, err = io.Copy(w, r)
if err == nil && c.Destructive && r.Name != w.Name {
err = rw.Remove(r.Name)
}
return
}
// readData is an internal reporter that reads data items from the ReadCloser
// that reads a gob file, and sends them to the out channel. readData expects to
// be the first stage in a pipeline, so any input is first discarded.
//
// If a decoding error occurs, the error is returned immediately.
//
// If the Context is canceled, sending is stopped and the error from
// context.Cause() is returned.
type readData struct {
io.ReadCloser
}
// report implements reporter
func (r readData) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) (err error) {
defer r.Close()
for range in {
}
c := gob.NewDecoder(r)
for {
var a any
if err = c.Decode(&a); err != nil {
if err == io.EOF {
err = nil
}
return
}
out <- a
select {
case <-ctx.Done():
err = context.Cause(ctx)
return
default:
}
}
}
// writeData is a WriteCloser and internal reporter that writes data using gob.
// writeData expects to be the final stage in a pipeline, so all data is
// consumed.
//
// If an encoding error occurs, the error is returned immediately.
//
// If the data includes any errors, the first error is returned after reading
// and saving all the data.
type writeData struct {
io.WriteCloser
}
// report implements reporter
func (w writeData) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) (err error) {
defer func() {
if e := w.Close(); e != nil && err == nil {
err = e
}
}()
c := gob.NewEncoder(w)
for d := range in {
if e := c.Encode(&d); e != nil {
err = e
return
}
if e, ok := d.(error); ok && err == nil {
err = e
}
}
return
}
// rangeData is an internal reporter that sends data from its slice to out.
// rangeData expects to be the first stage in a pipeline, so "in" is first
// discarded.
//
// If the Context is canceled, sending is stopped and the error from
// context.Cause() is returned.
type rangeData []any
// report implements reporter
func (r rangeData) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) (err error) {
for range in {
}
for _, a := range r {
out <- a
select {
case <-ctx.Done():
err = context.Cause(ctx)
return
default:
}
}
return
}
// appendData is an internal reporter that buffers data in its slice. appendData
// expects to be the final stage in a pipeline, so all data is consumed.
//
// If the data includes any errors, the first error is returned after reading
// and buffering all the data.
type appendData []any
// report implements reporter
func (a *appendData) report(ctx context.Context, rw rwer, in <-chan any,
out chan<- any) error {
var f error
for d := range in {
*a = append(*a, d)
if e, ok := d.(error); ok && f == nil {
f = e
}
}
return f
}
// A multiReporter can process data items for multiple Tests. It receives its
// input from the final stage of the Test.After pipeline. Implementations should
// read data from the in channel, and may return an error, or nil, at any time.
// They must not close the in channel.
//
// MultiReporters may use the given Context to react to cancellation signals,
// and if canceled, should return the error from context.Cause(ctx).
// MultiReporters may also ignore the Context. In any case, they should expect
// that partial input data is possible, in which case an error should be
// returned if it is known that this would affect the output.
//
// MultiReporters must be concurrent safe, and should be able to concurrently
// process multiple report calls in parallel.
type multiReporter interface {
report(ctx context.Context, work resultRW, test *Test, in <-chan any) error
}
// A multiStarter can be implemented by a multiReporter to do some
// initialization before the report method is called.
type multiStarter interface {
start(work resultRW) error
}
// A multiStopper can be implemented by a multiReporter to perform some final
// work or cleanup after the report method has been called.
type multiStopper interface {
stop(work resultRW) error
}
// MultiReport represents the MultiReport configuration from CUE.
type MultiReport struct {
ID TestID
multiReporters
}
// wants returns true if this MultiReport wants to handle the given Test.
func (m MultiReport) wants(test *Test) (bool, error) {
return test.ID.Match(m.ID)
}
// multiReporters is a union of the available multiReporters.
type multiReporters struct {
Index *Index
}
// multiReporter returns the only non-nil multiReporter implementation.
func (m *multiReporters) multiReporter() multiReporter {
switch {
case m.Index != nil:
return m.Index
default:
panic("no multiReporter set in multiReporters union")
}
}
// multiRunner runs multiReporters.
type multiRunner struct {
multi []MultiReport
started []bool
}
// newMultiRunner returns a new multiRunner.
func newMultiRunner(mr []MultiReport) *multiRunner {
return &multiRunner{
mr,
make([]bool, len(mr)),
}
}
// start calls any multiStarters among the multiReporters. If an error occurs,
// any successfully started multiReporters will be stopped when stop is called.
// If a multiReporter does not implement multiStarter, it is considered started.
func (m *multiRunner) start(work resultRW) (err error) {
for i, mr := range m.multi {
r := mr.multiReporter()
if s, ok := r.(multiStarter); ok {
if err = s.start(work); err != nil {
return
}
}
m.started[i] = true
}
return
}
// tee confines goroutines to run all multiReporters for the given Test.
//
// The given Context may be used for handling cancellation. The resultRW may be
// used to write results to the working directory.
//
// Data items must be written to the returned out channel, which may be nil in
// case no multiReporters will run for the given Test. The out channel must be
// closed by the caller after use.
//
// The returned error channel receives any errors that occur, and may be nil in
// case no multiReporters will run for the given Test. If not nil, it is closed
// when the tee is done, meaning all of the multiReporters are done.
func (m *multiRunner) tee(ctx context.Context, work resultRW, test *Test) (
out chan<- any, errc <-chan error) {
// find multiReporters to run, returning nil out chan if there are none
var rr []multiReporter
for _, r := range m.multi {
w, e := r.wants(test)
if e != nil {
ec := make(chan error, 1)
ec <- e
close(ec)
errc = ec
return
}
if w {
rr = append(rr, r.multiReporter())
}
}
if len(rr) == 0 {
return
}
// create out channel, and data channels for multiReporters
oc := make(chan any, dataChanBufLen)
out = oc
var dc []chan any
for range rr {
dc = append(dc, make(chan any, dataChanBufLen))
}
// start tee goroutine to read from out and write to data channels
go func() {
defer func() {
for _, c := range dc {
close(c)
}
}()
for d := range oc {
for _, c := range dc {
c <- d
}
}
}()
// start goroutines for each multiReporter to call its report method
var mec errChans
for i, r := range rr {
ec := mec.make()
go func(r multiReporter, ec chan error) {
defer func() {
for range dc[i] {
}
close(ec)
}()
if e := r.report(ctx, work, test, dc[i]); e != nil {
ec <- e
}
}(r, ec)
}
errc = mec.merge()
return
}
// stop calls any multiStoppers among the multiReporters, and returns the first
// error, if any. stop is called on all multiReporters regardless of errors.
func (m *multiRunner) stop(work resultRW) (err error) {
for i, mr := range m.multi {
r := mr.multiReporter()
if s, ok := r.(multiStopper); ok && m.started[i] {
if e := s.stop(work); e != nil && err == nil {
err = e
}
}
}
return
}