blob: d90ee093b2bf9153ff8ec90d2e3d6761fed95841 [file] [log] [blame]
Asim Shankardc150cd2014-08-08 10:59:39 -07001// Package audit provides mechanisms to write method invocations to an audit log.
Asim Shankarf9f84bc2014-08-05 10:46:40 -07002//
Asim Shankar220a0152014-10-30 21:21:09 -07003// Typical use would be for tracking sensitive operations like private key usage (NewPrincipal),
Asim Shankarf9f84bc2014-08-05 10:46:40 -07004// or sensitive RPC method invocations.
Asim Shankardc150cd2014-08-08 10:59:39 -07005package audit
Asim Shankarf9f84bc2014-08-05 10:46:40 -07006
Asim Shankar1ac80612014-08-08 16:04:09 -07007import (
8 "fmt"
9 "strings"
10 "time"
11)
Asim Shankarf9f84bc2014-08-05 10:46:40 -070012
13// Auditor is the interface for writing auditable events.
14type Auditor interface {
15 Audit(entry Entry) error
16}
17
18// Entry is the information logged on each auditable event.
19type Entry struct {
20 // Method being invoked.
21 Method string
22 // Arguments to the method.
23 // Any sensitive data in the arguments should not be included,
24 // even if the argument was provided to the real method invocation.
25 Arguments []interface{}
26 // Result of the method invocation.
27 // A common use case is to audit only successful method invocations.
28 Results []interface{}
29
30 // Timestamp of method invocation.
31 Timestamp time.Time
32}
Asim Shankar1ac80612014-08-08 16:04:09 -070033
34func (e Entry) String() string {
35 return fmt.Sprintf("%v: %s(%s)%s", e.Timestamp.Format(time.RFC3339), e.Method, join(e.Arguments, "", ""), join(e.Results, " = (", ")"))
36}
37
38func join(elems []interface{}, prefix, suffix string) string {
39 switch len(elems) {
40 case 0:
41 return ""
42 case 1:
43 return fmt.Sprintf("%s%v%s", prefix, elems[0], suffix)
44 }
45 strs := make([]string, len(elems))
46 for i, e := range elems {
47 strs[i] = fmt.Sprintf("%v", e)
48 }
49 return prefix + strings.Join(strs, ", ") + suffix
50}