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
|
package pterm
import (
"os"
"golang.org/x/term"
)
// FallbackTerminalWidth is the value used for GetTerminalWidth, if the actual width can not be detected
// You can override that value if necessary.
var FallbackTerminalWidth = 80
// FallbackTerminalHeight is the value used for GetTerminalHeight, if the actual height can not be detected
// You can override that value if necessary.
var FallbackTerminalHeight = 10
// forcedTerminalWidth, when set along with forcedTerminalHeight, forces the terminal width value.
var forcedTerminalWidth int = 0
// forcedTerminalHeight, when set along with forcedTerminalWidth, forces the terminal height value.
var forcedTerminalHeight int = 0
// GetTerminalWidth returns the terminal width of the active terminal.
func GetTerminalWidth() int {
if forcedTerminalWidth > 0 {
return forcedTerminalWidth
}
width, _, _ := GetTerminalSize()
return width
}
// GetTerminalHeight returns the terminal height of the active terminal.
func GetTerminalHeight() int {
if forcedTerminalHeight > 0 {
return forcedTerminalHeight
}
_, height, _ := GetTerminalSize()
return height
}
// GetTerminalSize returns the width and the height of the active terminal.
func GetTerminalSize() (width, height int, err error) {
if forcedTerminalWidth > 0 && forcedTerminalHeight > 0 {
return forcedTerminalWidth, forcedTerminalHeight, nil
}
w, h, err := term.GetSize(int(os.Stdout.Fd()))
if w <= 0 {
w = FallbackTerminalWidth
}
if h <= 0 {
h = FallbackTerminalHeight
}
if err != nil {
err = ErrTerminalSizeNotDetectable
}
return w, h, err
}
// setForcedTerminalSize turns off terminal size autodetection. Usuful for unified tests.
func SetForcedTerminalSize(width int, height int) {
forcedTerminalWidth = width
forcedTerminalHeight = height
RecalculateTerminalSize()
}
|