Content inside fengaldar
(The raw file follows this syntax highlighted file.)

// Fengaldar provides a logger, or, 'one who cuts trees'.
//
// The result of NewLogger().Println("Some message") looks like:
//
//	INFO 2020-09-03T18:53:04-06:00 Some message
//
// The result of NewJSONLogger().Println("Some message") looks like:
//
//	{"timestamp":"2020-09-03T18:53:04-06:00", "severity":"INFO", "message":"Some message"}
//
// The result of NewJSONLogger().Notice("Some message", LogContext{"extra":"info"}) looks like:
//
//	{"timestamp": "2020-09-03T18:53:04-06:00", "severity": "INFO", "message": "Some message", "additionalContext": "{\"extra\":\"info\"}"}
//
// Of course you'll likely store the result of NewLogger() in a var so your code might look more like this:
//
//	import ( fen "git.ondollo.com/fengaldar" )
//	...
//	l := fen.NewLogger()
//	...
//	l.Log("Something happened")
//	...
//	l.Notice("Something interesting happened")
//
// You might also want to tweak the defaults with your own. That might look something like this:
//
//	import ( fen "git.ondollo.com/fengaldar" )
//	...
//	minSeverityToLog := fen.Warning
//	defaultLogSeverity := fen.Notice
//	customOptions := fen.Options{minSeverityToLog, defaultLogSeverity, time.RFC822, false, "more"}
//	l := fen.NewLoggerWithOptions(customOptions)
//	...
//	l.Log("Something happened") // This will be ignored due to having set 'minSeverityToLog' to a higher Severity than the default (which was provided in defaultLogSeverity)
//	...
//	l.Notice("Something interesting happened") // This will also be ignored due to having set 'minSeverityToLog' to a higher Severity than the default (which was provided in defaultLogSeverity)
//	...
//	l.Critical("Something caused a brief outage") // This will NOT be ignored
//
// You might also want to add some context to the log entry, and that might look something like this:
//
//	import ( fen "git.ondollo.com/fengaldar" )
//	...
//	l := fen.NewLogger()
//	...
//	l.Log("Something happened", fen.LogContext{"somethingWasSetTo": "someValue"})
package fengaldar

import (
	"fmt"
	"os"
	"sort"
	"strconv"
	"strings"
	"time"
)

// Severity represents the severity of the related log entry.
// Naming, ordering, and guidlines are based on severity consts found at https://pkg.go.dev/cloud.google.com/go/logging#pkg-constants
type Severity int

const (
	Debug     Severity = iota // Debug - debug or trace information.
	Info                      // Info - routine information, such as ongoing status or performance.
	Notice                    // Notice - normal but significant events, such as start up, shut down, or configuration.
	Warning                   // Warning - events that might cause problems.
	Error                     // Error - events that are likely to cause problems.
	Critical                  // Critical - events that cause more severe problems or brief outages.
	Alert                     // Alert - a person must take an action immediately.
	Emergency                 // Emergency - one or more systems are unusable.
	Panic                     // Panic - one or more systems are unusable and this package will throw a panic.
	Fatal                     // Fatal - one or more systems are unusable and this package will call os.Exit(1).
)

var sevStrings = []string{
	"DEBUG",
	"INFO",
	"NOTICE",
	"WARNING",
	"ERROR",
	"CRITICAL",
	"ALERT",
	"EMERGENCY",
	"PANIC",
	"FATAL",
}

func (s Severity) String() string {
	return sevStrings[s]
}

// LogContext provides a way to express additional context on a log entry.
type LogContext map[string]string

func (a LogContext) Merge(b LogContext) {
	for k, v := range b {
		a[k] = v
	}
}

// LogContext.String will produce a unicode box-drawing prefix-wrapped output where each key in the LogContext is on it's own line
func (lc LogContext) String() string {
	var s strings.Builder
	s.WriteString(" \u250f\n")
	slc := []string{}
	for k, _ := range lc {
		slc = append(slc, k)
	}
	sort.Strings(slc)
	for _, k := range slc {
		s.WriteString(fmt.Sprintf(" \u2503 %q: %q\n", k, lc[k]))
	}
	s.WriteString(" \u2517")
	return s.String()
}

// LogContext.JSON will produce a JSON object, where each key and value remain
// keys and values and are converted with fmt.Sprintf("%q")
func (lc LogContext) JSON() string     { return "{" + lc.keyedJSON("") + "}" }
func (lc LogContext) flatJSON() string { return lc.keyedJSON("") }
func (lc LogContext) keyedJSON(prefix string) string {
	var s strings.Builder
	first := true
	slc := []string{}
	for k, _ := range lc {
		slc = append(slc, k)
	}
	sort.Strings(slc)
	for _, k := range slc {
		if !first {
			s.WriteString(", ")
		}
		prefixedK := k
		if len(prefix) > 0 {
			prefixedK = fmt.Sprintf("%s:%s", prefix, k)
		}
		s.WriteString(fmt.Sprintf("%q:%q", prefixedK, lc[k]))
		first = false
	}
	return s.String()
}

// FOR ALL DECLARATIONS OF `...LogContext` ONLY THE FIRST LogContext WILL BE USED.
// This allows the LogContext to be optional.
//
// You might notice that Printf is not provided.
//
// In cases where you would use Printf you should explore constructing a LogContext to
// convey the additional data, or use fmt.Sprintf.
type Logger interface {
	Clone() Logger
	Trace(string) Logger             // Trace sets the given TraceKey to the given value and returns a func that resets the value on a defer
	Time() string                    // Time is the result of applying the time.Layout specified in Options.TF in a call to time.Now().Format
	Sev() Severity                   // Sev is the default severity used in Println and Log
	Println(...interface{})          // For NewLogger, each parameter will be on it's own line. For NewJSONLogger, they're combined with a strings.Join("\n").
	Log(string, ...LogContext)       // FOR ALL DECLARATIONS OF `...LogContext` ONLY THE FIRST LogContext WILL BE USED
	Debug(string, ...LogContext)     // Debug - debug or trace information.
	Info(string, ...LogContext)      // Info - routine information, such as ongoing status or performance.
	Notice(string, ...LogContext)    // Notice - normal but significant events, such as start up, shut down, or configuration.
	Warning(string, ...LogContext)   // Warning - events that might cause problems.
	Error(string, ...LogContext)     // Error - events that are likely to cause problems.
	Critical(string, ...LogContext)  // Critical - events that cause more severe problems or brief outages.
	Alert(string, ...LogContext)     // Alert - a person must take an action immediately.
	Emergency(string, ...LogContext) // Emergency - one or more systems are unusable.
	Panic(string, ...LogContext)     // Panic - one or more systems are unusable and this package will throw a panic.
	Fatal(string, ...LogContext)     // Fatal - one or more systems are unusable and this package will call os.Exit(1).
}

type ContextStyleOption int

const (
	Flat ContextStyleOption = iota
	Nest
	Prefix
)

// Options allow you to specify different defaults for loggers
type Options struct {
	Min Severity // The minimum severity to actually produce output. Any log entry with an associated severity *below* this will be ignored.
	Sev Severity
	// TF is the TimeFormat that will be used when producing log entries.
	// This follows the time.Layout format seen here: https://pkg.go.dev/time#pkg-constants
	TF string
	// ContextStyle sets the use of the ContextKey as either a prefix to each LogContext key or
	// as the key to a nested object of LogContext keys and values or, finally, as a flattened set of keys
	// that are added to the root of the JSON log entry without prefix. This only matters for the JSON logger
	ContextStyle ContextStyleOption
	ContextKey   string // ContextKey is used to namespace the LogContext
	TraceKey     string // TraceKey is the key that the traceid, if any, will be placed under for the JSON logger
}

const DefaultContextKey = "additionalContext"
const DefaultTraceKey = "traceid"

var DefaultOptions = Options{
	Min:          Debug,
	Sev:          Info,
	TF:           time.RFC3339,
	ContextStyle: Flat,
	ContextKey:   DefaultContextKey,
	TraceKey:     DefaultTraceKey,
}

// simple

func NewLogger() Logger { return NewLoggerWithOptions(DefaultOptions) }

const defaultTraceID = "no-trace-id"

func NewLoggerWithOptions(o Options) Logger {
	return &simpleLogger{
		o.Min,
		o.Sev,
		o.TF,
		strconv.Itoa(len(time.Now().Format(o.TF))),
		defaultTraceID,
	}
}

type simpleLogger struct {
	MS    Severity
	DS    Severity
	TF    string
	TS    string
	trace string
}

func (sl *simpleLogger) Clone() Logger {
	return &simpleLogger{sl.MS, sl.DS, sl.TF, sl.TS, sl.trace}
}
func (sl *simpleLogger) Trace(id string) Logger {
	new := sl.Clone().(*simpleLogger)
	new.trace = id
	return new
}
func (sl simpleLogger) Time() string  { return time.Now().Format(sl.TF) }
func (sl simpleLogger) Sev() Severity { return sl.DS }
func (sl simpleLogger) line(sev Severity, s interface{}) string {
	if sl.trace != defaultTraceID {
		return fmt.Sprintf("%s %10.10s %"+sl.TS+"."+sl.TS+"s %s\n", sl.trace, sev, sl.Time(), s)
	}
	return fmt.Sprintf("%10.10s %"+sl.TS+"."+sl.TS+"s %s\n", sev, sl.Time(), s)
}
func (sl simpleLogger) Println(ss ...interface{}) {
	if sl.Sev() < sl.MS {
		return
	}
	for _, s := range ss {
		fmt.Printf(sl.line(sl.Sev(), s))
	}
}
func (sl simpleLogger) internal(sev Severity, s string, lc ...LogContext) {
	if sev < sl.MS {
		return
	}
	fmt.Printf(sl.line(sev, s))
	if len(lc) > 0 {
		fmt.Println(lc[0])
	}
}
func (sl simpleLogger) Log(s string, lc ...LogContext)       { sl.internal(sl.Sev(), s, lc...) }
func (sl simpleLogger) Debug(s string, lc ...LogContext)     { sl.internal(Debug, s, lc...) }
func (sl simpleLogger) Info(s string, lc ...LogContext)      { sl.internal(Info, s, lc...) }
func (sl simpleLogger) Notice(s string, lc ...LogContext)    { sl.internal(Notice, s, lc...) }
func (sl simpleLogger) Warning(s string, lc ...LogContext)   { sl.internal(Warning, s, lc...) }
func (sl simpleLogger) Error(s string, lc ...LogContext)     { sl.internal(Error, s, lc...) }
func (sl simpleLogger) Critical(s string, lc ...LogContext)  { sl.internal(Critical, s, lc...) }
func (sl simpleLogger) Alert(s string, lc ...LogContext)     { sl.internal(Alert, s, lc...) }
func (sl simpleLogger) Emergency(s string, lc ...LogContext) { sl.internal(Emergency, s, lc...) }
func (sl simpleLogger) Panic(s string, lc ...LogContext)     { sl.internal(Panic, s, lc...); panic(s) }
func (sl simpleLogger) Fatal(s string, lc ...LogContext)     { sl.internal(Fatal, s, lc...); os.Exit(1) }

// JSON

func NewJSONLogger() Logger { return NewJSONLoggerWithOptions(DefaultOptions) }
func NewJSONLoggerWithOptions(o Options) Logger {
	return &jsonLogger{o.Min, o.Sev, o.TF, o.ContextStyle, o.ContextKey, o.TraceKey, defaultTraceID}
}

type jsonLogger struct {
	MS           Severity
	DS           Severity
	TF           string
	ContextStyle ContextStyleOption
	ContextKey   string
	TraceKey     string
	trace        string
}

func (jl *jsonLogger) Clone() Logger {
	return &jsonLogger{jl.MS, jl.DS, jl.TF, jl.ContextStyle, jl.ContextKey, jl.TraceKey, jl.trace}
}
func (jl *jsonLogger) Trace(id string) Logger {
	new := jl.Clone().(*jsonLogger)
	new.trace = id
	return new
}
func (jl *jsonLogger) Time() string { return time.Now().Format(jl.TF) }
func (jl jsonLogger) Sev() Severity { return jl.DS }
func (jl jsonLogger) line(sev Severity, s interface{}) string {
	if jl.trace != defaultTraceID {
		return fmt.Sprintf(
			`%q:%q, "timestamp":%q, "severity":%q, "message":%q`,
			jl.TraceKey, jl.trace, jl.Time(), sev, s)
	}
	return fmt.Sprintf(`"timestamp":%q, "severity":%q, "message":%q`, jl.Time(), sev, s)
}
func (jl jsonLogger) lineWithContext(sev Severity, s interface{}, lc LogContext) string {
	if jl.ContextStyle == Prefix {
		return fmt.Sprintf(`%s, %s`, jl.line(sev, s), lc.keyedJSON(jl.ContextKey))
	}
	if jl.ContextStyle == Flat {
		return fmt.Sprintf(`%s, %s`, jl.line(sev, s), lc.flatJSON())
	}
	return fmt.Sprintf(`%s, %q:%q`, jl.line(sev, s), jl.ContextKey, lc.JSON())
}
func (jl jsonLogger) Println(ss ...interface{}) {
	if jl.Sev() < jl.MS {
		return
	}
	var jss strings.Builder
	for i, s := range ss {
		if i > 0 {
			jss.WriteString("\n")
		}
		jss.WriteString(s.(string))
	}
	fmt.Printf("{%s}\n", jl.line(jl.Sev(), jss.String()))
}
func (jl jsonLogger) internal(sev Severity, s string, lc ...LogContext) {
	if sev < jl.MS {
		return
	}
	if len(lc) == 0 {
		fmt.Printf("{%s}\n", jl.line(sev, s))
	} else {
		fmt.Printf("{%s}\n", jl.lineWithContext(sev, s, lc[0]))
	}
}
func (jl jsonLogger) Log(s string, lc ...LogContext)       { jl.internal(jl.Sev(), s, lc...) }
func (jl jsonLogger) Debug(s string, lc ...LogContext)     { jl.internal(Debug, s, lc...) }
func (jl jsonLogger) Info(s string, lc ...LogContext)      { jl.internal(Info, s, lc...) }
func (jl jsonLogger) Notice(s string, lc ...LogContext)    { jl.internal(Notice, s, lc...) }
func (jl jsonLogger) Warning(s string, lc ...LogContext)   { jl.internal(Warning, s, lc...) }
func (jl jsonLogger) Error(s string, lc ...LogContext)     { jl.internal(Error, s, lc...) }
func (jl jsonLogger) Critical(s string, lc ...LogContext)  { jl.internal(Critical, s, lc...) }
func (jl jsonLogger) Alert(s string, lc ...LogContext)     { jl.internal(Alert, s, lc...) }
func (jl jsonLogger) Emergency(s string, lc ...LogContext) { jl.internal(Emergency, s, lc...) }
func (jl jsonLogger) Panic(s string, lc ...LogContext)     { jl.internal(Panic, s, lc...); panic(s) }
func (jl jsonLogger) Fatal(s string, lc ...LogContext)     { jl.internal(Fatal, s, lc...); os.Exit(1) }


The raw file follows...


// Fengaldar provides a logger, or, 'one who cuts trees'.
//
// The result of NewLogger().Println("Some message") looks like:
//
//	INFO 2020-09-03T18:53:04-06:00 Some message
//
// The result of NewJSONLogger().Println("Some message") looks like:
//
//	{"timestamp":"2020-09-03T18:53:04-06:00", "severity":"INFO", "message":"Some message"}
//
// The result of NewJSONLogger().Notice("Some message", LogContext{"extra":"info"}) looks like:
//
//	{"timestamp": "2020-09-03T18:53:04-06:00", "severity": "INFO", "message": "Some message", "additionalContext": "{\"extra\":\"info\"}"}
//
// Of course you'll likely store the result of NewLogger() in a var so your code might look more like this:
//
//	import ( fen "git.ondollo.com/fengaldar" )
//	...
//	l := fen.NewLogger()
//	...
//	l.Log("Something happened")
//	...
//	l.Notice("Something interesting happened")
//
// You might also want to tweak the defaults with your own. That might look something like this:
//
//	import ( fen "git.ondollo.com/fengaldar" )
//	...
//	minSeverityToLog := fen.Warning
//	defaultLogSeverity := fen.Notice
//	customOptions := fen.Options{minSeverityToLog, defaultLogSeverity, time.RFC822, false, "more"}
//	l := fen.NewLoggerWithOptions(customOptions)
//	...
//	l.Log("Something happened") // This will be ignored due to having set 'minSeverityToLog' to a higher Severity than the default (which was provided in defaultLogSeverity)
//	...
//	l.Notice("Something interesting happened") // This will also be ignored due to having set 'minSeverityToLog' to a higher Severity than the default (which was provided in defaultLogSeverity)
//	...
//	l.Critical("Something caused a brief outage") // This will NOT be ignored
//
// You might also want to add some context to the log entry, and that might look something like this:
//
//	import ( fen "git.ondollo.com/fengaldar" )
//	...
//	l := fen.NewLogger()
//	...
//	l.Log("Something happened", fen.LogContext{"somethingWasSetTo": "someValue"})
package fengaldar

import (
	"fmt"
	"os"
	"sort"
	"strconv"
	"strings"
	"time"
)

// Severity represents the severity of the related log entry.
// Naming, ordering, and guidlines are based on severity consts found at https://pkg.go.dev/cloud.google.com/go/logging#pkg-constants
type Severity int

const (
	Debug     Severity = iota // Debug - debug or trace information.
	Info                      // Info - routine information, such as ongoing status or performance.
	Notice                    // Notice - normal but significant events, such as start up, shut down, or configuration.
	Warning                   // Warning - events that might cause problems.
	Error                     // Error - events that are likely to cause problems.
	Critical                  // Critical - events that cause more severe problems or brief outages.
	Alert                     // Alert - a person must take an action immediately.
	Emergency                 // Emergency - one or more systems are unusable.
	Panic                     // Panic - one or more systems are unusable and this package will throw a panic.
	Fatal                     // Fatal - one or more systems are unusable and this package will call os.Exit(1).
)

var sevStrings = []string{
	"DEBUG",
	"INFO",
	"NOTICE",
	"WARNING",
	"ERROR",
	"CRITICAL",
	"ALERT",
	"EMERGENCY",
	"PANIC",
	"FATAL",
}

func (s Severity) String() string {
	return sevStrings[s]
}

// LogContext provides a way to express additional context on a log entry.
type LogContext map[string]string

func (a LogContext) Merge(b LogContext) {
	for k, v := range b {
		a[k] = v
	}
}

// LogContext.String will produce a unicode box-drawing prefix-wrapped output where each key in the LogContext is on it's own line
func (lc LogContext) String() string {
	var s strings.Builder
	s.WriteString(" \u250f\n")
	slc := []string{}
	for k, _ := range lc {
		slc = append(slc, k)
	}
	sort.Strings(slc)
	for _, k := range slc {
		s.WriteString(fmt.Sprintf(" \u2503 %q: %q\n", k, lc[k]))
	}
	s.WriteString(" \u2517")
	return s.String()
}

// LogContext.JSON will produce a JSON object, where each key and value remain
// keys and values and are converted with fmt.Sprintf("%q")
func (lc LogContext) JSON() string     { return "{" + lc.keyedJSON("") + "}" }
func (lc LogContext) flatJSON() string { return lc.keyedJSON("") }
func (lc LogContext) keyedJSON(prefix string) string {
	var s strings.Builder
	first := true
	slc := []string{}
	for k, _ := range lc {
		slc = append(slc, k)
	}
	sort.Strings(slc)
	for _, k := range slc {
		if !first {
			s.WriteString(", ")
		}
		prefixedK := k
		if len(prefix) > 0 {
			prefixedK = fmt.Sprintf("%s:%s", prefix, k)
		}
		s.WriteString(fmt.Sprintf("%q:%q", prefixedK, lc[k]))
		first = false
	}
	return s.String()
}

// FOR ALL DECLARATIONS OF `...LogContext` ONLY THE FIRST LogContext WILL BE USED.
// This allows the LogContext to be optional.
//
// You might notice that Printf is not provided.
//
// In cases where you would use Printf you should explore constructing a LogContext to
// convey the additional data, or use fmt.Sprintf.
type Logger interface {
	Clone() Logger
	Trace(string) Logger             // Trace sets the given TraceKey to the given value and returns a func that resets the value on a defer
	Time() string                    // Time is the result of applying the time.Layout specified in Options.TF in a call to time.Now().Format
	Sev() Severity                   // Sev is the default severity used in Println and Log
	Println(...interface{})          // For NewLogger, each parameter will be on it's own line. For NewJSONLogger, they're combined with a strings.Join("\n").
	Log(string, ...LogContext)       // FOR ALL DECLARATIONS OF `...LogContext` ONLY THE FIRST LogContext WILL BE USED
	Debug(string, ...LogContext)     // Debug - debug or trace information.
	Info(string, ...LogContext)      // Info - routine information, such as ongoing status or performance.
	Notice(string, ...LogContext)    // Notice - normal but significant events, such as start up, shut down, or configuration.
	Warning(string, ...LogContext)   // Warning - events that might cause problems.
	Error(string, ...LogContext)     // Error - events that are likely to cause problems.
	Critical(string, ...LogContext)  // Critical - events that cause more severe problems or brief outages.
	Alert(string, ...LogContext)     // Alert - a person must take an action immediately.
	Emergency(string, ...LogContext) // Emergency - one or more systems are unusable.
	Panic(string, ...LogContext)     // Panic - one or more systems are unusable and this package will throw a panic.
	Fatal(string, ...LogContext)     // Fatal - one or more systems are unusable and this package will call os.Exit(1).
}

type ContextStyleOption int

const (
	Flat ContextStyleOption = iota
	Nest
	Prefix
)

// Options allow you to specify different defaults for loggers
type Options struct {
	Min Severity // The minimum severity to actually produce output. Any log entry with an associated severity *below* this will be ignored.
	Sev Severity
	// TF is the TimeFormat that will be used when producing log entries.
	// This follows the time.Layout format seen here: https://pkg.go.dev/time#pkg-constants
	TF string
	// ContextStyle sets the use of the ContextKey as either a prefix to each LogContext key or
	// as the key to a nested object of LogContext keys and values or, finally, as a flattened set of keys
	// that are added to the root of the JSON log entry without prefix. This only matters for the JSON logger
	ContextStyle ContextStyleOption
	ContextKey   string // ContextKey is used to namespace the LogContext
	TraceKey     string // TraceKey is the key that the traceid, if any, will be placed under for the JSON logger
}

const DefaultContextKey = "additionalContext"
const DefaultTraceKey = "traceid"

var DefaultOptions = Options{
	Min:          Debug,
	Sev:          Info,
	TF:           time.RFC3339,
	ContextStyle: Flat,
	ContextKey:   DefaultContextKey,
	TraceKey:     DefaultTraceKey,
}

// simple

func NewLogger() Logger { return NewLoggerWithOptions(DefaultOptions) }

const defaultTraceID = "no-trace-id"

func NewLoggerWithOptions(o Options) Logger {
	return &simpleLogger{
		o.Min,
		o.Sev,
		o.TF,
		strconv.Itoa(len(time.Now().Format(o.TF))),
		defaultTraceID,
	}
}

type simpleLogger struct {
	MS    Severity
	DS    Severity
	TF    string
	TS    string
	trace string
}

func (sl *simpleLogger) Clone() Logger {
	return &simpleLogger{sl.MS, sl.DS, sl.TF, sl.TS, sl.trace}
}
func (sl *simpleLogger) Trace(id string) Logger {
	new := sl.Clone().(*simpleLogger)
	new.trace = id
	return new
}
func (sl simpleLogger) Time() string  { return time.Now().Format(sl.TF) }
func (sl simpleLogger) Sev() Severity { return sl.DS }
func (sl simpleLogger) line(sev Severity, s interface{}) string {
	if sl.trace != defaultTraceID {
		return fmt.Sprintf("%s %10.10s %"+sl.TS+"."+sl.TS+"s %s\n", sl.trace, sev, sl.Time(), s)
	}
	return fmt.Sprintf("%10.10s %"+sl.TS+"."+sl.TS+"s %s\n", sev, sl.Time(), s)
}
func (sl simpleLogger) Println(ss ...interface{}) {
	if sl.Sev() < sl.MS {
		return
	}
	for _, s := range ss {
		fmt.Printf(sl.line(sl.Sev(), s))
	}
}
func (sl simpleLogger) internal(sev Severity, s string, lc ...LogContext) {
	if sev < sl.MS {
		return
	}
	fmt.Printf(sl.line(sev, s))
	if len(lc) > 0 {
		fmt.Println(lc[0])
	}
}
func (sl simpleLogger) Log(s string, lc ...LogContext)       { sl.internal(sl.Sev(), s, lc...) }
func (sl simpleLogger) Debug(s string, lc ...LogContext)     { sl.internal(Debug, s, lc...) }
func (sl simpleLogger) Info(s string, lc ...LogContext)      { sl.internal(Info, s, lc...) }
func (sl simpleLogger) Notice(s string, lc ...LogContext)    { sl.internal(Notice, s, lc...) }
func (sl simpleLogger) Warning(s string, lc ...LogContext)   { sl.internal(Warning, s, lc...) }
func (sl simpleLogger) Error(s string, lc ...LogContext)     { sl.internal(Error, s, lc...) }
func (sl simpleLogger) Critical(s string, lc ...LogContext)  { sl.internal(Critical, s, lc...) }
func (sl simpleLogger) Alert(s string, lc ...LogContext)     { sl.internal(Alert, s, lc...) }
func (sl simpleLogger) Emergency(s string, lc ...LogContext) { sl.internal(Emergency, s, lc...) }
func (sl simpleLogger) Panic(s string, lc ...LogContext)     { sl.internal(Panic, s, lc...); panic(s) }
func (sl simpleLogger) Fatal(s string, lc ...LogContext)     { sl.internal(Fatal, s, lc...); os.Exit(1) }

// JSON

func NewJSONLogger() Logger { return NewJSONLoggerWithOptions(DefaultOptions) }
func NewJSONLoggerWithOptions(o Options) Logger {
	return &jsonLogger{o.Min, o.Sev, o.TF, o.ContextStyle, o.ContextKey, o.TraceKey, defaultTraceID}
}

type jsonLogger struct {
	MS           Severity
	DS           Severity
	TF           string
	ContextStyle ContextStyleOption
	ContextKey   string
	TraceKey     string
	trace        string
}

func (jl *jsonLogger) Clone() Logger {
	return &jsonLogger{jl.MS, jl.DS, jl.TF, jl.ContextStyle, jl.ContextKey, jl.TraceKey, jl.trace}
}
func (jl *jsonLogger) Trace(id string) Logger {
	new := jl.Clone().(*jsonLogger)
	new.trace = id
	return new
}
func (jl *jsonLogger) Time() string { return time.Now().Format(jl.TF) }
func (jl jsonLogger) Sev() Severity { return jl.DS }
func (jl jsonLogger) line(sev Severity, s interface{}) string {
	if jl.trace != defaultTraceID {
		return fmt.Sprintf(
			`%q:%q, "timestamp":%q, "severity":%q, "message":%q`,
			jl.TraceKey, jl.trace, jl.Time(), sev, s)
	}
	return fmt.Sprintf(`"timestamp":%q, "severity":%q, "message":%q`, jl.Time(), sev, s)
}
func (jl jsonLogger) lineWithContext(sev Severity, s interface{}, lc LogContext) string {
	if jl.ContextStyle == Prefix {
		return fmt.Sprintf(`%s, %s`, jl.line(sev, s), lc.keyedJSON(jl.ContextKey))
	}
	if jl.ContextStyle == Flat {
		return fmt.Sprintf(`%s, %s`, jl.line(sev, s), lc.flatJSON())
	}
	return fmt.Sprintf(`%s, %q:%q`, jl.line(sev, s), jl.ContextKey, lc.JSON())
}
func (jl jsonLogger) Println(ss ...interface{}) {
	if jl.Sev() < jl.MS {
		return
	}
	var jss strings.Builder
	for i, s := range ss {
		if i > 0 {
			jss.WriteString("\n")
		}
		jss.WriteString(s.(string))
	}
	fmt.Printf("{%s}\n", jl.line(jl.Sev(), jss.String()))
}
func (jl jsonLogger) internal(sev Severity, s string, lc ...LogContext) {
	if sev < jl.MS {
		return
	}
	if len(lc) == 0 {
		fmt.Printf("{%s}\n", jl.line(sev, s))
	} else {
		fmt.Printf("{%s}\n", jl.lineWithContext(sev, s, lc[0]))
	}
}
func (jl jsonLogger) Log(s string, lc ...LogContext)       { jl.internal(jl.Sev(), s, lc...) }
func (jl jsonLogger) Debug(s string, lc ...LogContext)     { jl.internal(Debug, s, lc...) }
func (jl jsonLogger) Info(s string, lc ...LogContext)      { jl.internal(Info, s, lc...) }
func (jl jsonLogger) Notice(s string, lc ...LogContext)    { jl.internal(Notice, s, lc...) }
func (jl jsonLogger) Warning(s string, lc ...LogContext)   { jl.internal(Warning, s, lc...) }
func (jl jsonLogger) Error(s string, lc ...LogContext)     { jl.internal(Error, s, lc...) }
func (jl jsonLogger) Critical(s string, lc ...LogContext)  { jl.internal(Critical, s, lc...) }
func (jl jsonLogger) Alert(s string, lc ...LogContext)     { jl.internal(Alert, s, lc...) }
func (jl jsonLogger) Emergency(s string, lc ...LogContext) { jl.internal(Emergency, s, lc...) }
func (jl jsonLogger) Panic(s string, lc ...LogContext)     { jl.internal(Panic, s, lc...); panic(s) }
func (jl jsonLogger) Fatal(s string, lc ...LogContext)     { jl.internal(Fatal, s, lc...); os.Exit(1) }