2019-12-03 23:10:42 +00:00
|
|
|
package output
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"github.com/fatih/color"
|
|
|
|
)
|
|
|
|
|
|
|
|
const (
|
|
|
|
MaxContentLines = 50
|
2019-12-04 17:21:59 +00:00
|
|
|
SnipMark = "----- cut at 50 entries -----"
|
2019-12-03 23:10:42 +00:00
|
|
|
)
|
|
|
|
|
|
|
|
var (
|
|
|
|
DidSnip bool
|
2019-12-06 14:23:01 +00:00
|
|
|
DidAvoidEmptyBlock bool
|
2019-12-03 23:10:42 +00:00
|
|
|
)
|
|
|
|
|
|
|
|
// Prints a block of information with the given headline
|
|
|
|
// If content is empty, printing the headline is omitted.
|
|
|
|
// If the content is longer than MaxContentLines, content is cut.
|
|
|
|
func PrintBlock(headline string, content string) {
|
2019-12-06 14:23:01 +00:00
|
|
|
// Avoid printing empty blocks - at least if user didn't specify it otherwise
|
|
|
|
if len(content) == 0 && !*printEmptyBlocks {
|
|
|
|
// No content and we are not forced to print empty blocks, return
|
|
|
|
DidAvoidEmptyBlock = true
|
|
|
|
return
|
|
|
|
}
|
|
|
|
|
2019-12-03 23:10:42 +00:00
|
|
|
// Print a newline to add some space between blocks
|
|
|
|
fmt.Println("")
|
|
|
|
|
|
|
|
// Check if we need to print a headline
|
|
|
|
if len(content) > 0 {
|
|
|
|
// We have content, we can print the headline
|
|
|
|
headlineColor := color.New(color.FgRed, color.Bold)
|
|
|
|
headlineColor.Println(headline)
|
|
|
|
}
|
|
|
|
|
|
|
|
// Cut to MaxContentLines if required
|
|
|
|
if !(*fullOutput) {
|
|
|
|
// User states that they don't want to see the whole output - cut content.
|
|
|
|
content = cutContent(content)
|
|
|
|
}
|
|
|
|
|
|
|
|
// And print our content.
|
|
|
|
fmt.Print(content)
|
|
|
|
}
|
|
|
|
|
|
|
|
// Cut content after MaxContentLines lines
|
|
|
|
func cutContent(content string) string {
|
|
|
|
numNewlines := 0
|
|
|
|
|
|
|
|
// iterate over every character
|
|
|
|
for i, c := range content {
|
|
|
|
// check if character is newline
|
|
|
|
if c == '\n' {
|
|
|
|
// it is, count occurrence
|
|
|
|
numNewlines++
|
|
|
|
|
|
|
|
// Check if we already hit our limit yet
|
|
|
|
if numNewlines == MaxContentLines {
|
|
|
|
// Found nth newline, return content up to this position and add a notice about it.
|
|
|
|
DidSnip = true
|
|
|
|
return addSnipMark(content[:i])
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// We are done before reaching the cut limit; return the whole content
|
|
|
|
return content
|
|
|
|
}
|
|
|
|
|
|
|
|
// Adds a notice about the snipping process
|
|
|
|
func addSnipMark(content string) string {
|
2019-12-04 17:21:59 +00:00
|
|
|
printer := color.New(color.Bold, color.BgBlack)
|
|
|
|
return content + "\n" + printer.Sprint(SnipMark) + "\n"
|
2019-12-03 23:10:42 +00:00
|
|
|
}
|