moby--moby/pkg/term/term.go

119 lines
2.2 KiB
Go
Raw Normal View History

// +build !windows
package term
import (
2013-11-29 17:52:44 +00:00
"errors"
"io"
2013-05-14 22:37:35 +00:00
"os"
"os/signal"
"syscall"
"unsafe"
)
2013-11-29 17:52:44 +00:00
var (
2013-11-29 19:08:37 +00:00
ErrInvalidState = errors.New("Invalid terminal state")
2013-11-29 17:52:44 +00:00
)
type State struct {
2013-02-27 01:26:46 +00:00
termios Termios
}
type Winsize struct {
Height uint16
Width uint16
x uint16
y uint16
}
func StdStreams() (stdOut io.Writer, stdErr io.Writer, stdIn io.ReadCloser) {
return os.Stdout, os.Stderr, os.Stdin
}
func GetFdInfo(in interface{}) (uintptr, bool) {
var inFd uintptr
var isTerminalIn bool
if file, ok := in.(*os.File); ok {
inFd = file.Fd()
isTerminalIn = IsTerminal(inFd)
}
return inFd, isTerminalIn
}
func GetWinsize(fd uintptr) (*Winsize, error) {
ws := &Winsize{}
_, _, err := syscall.Syscall(syscall.SYS_IOCTL, fd, uintptr(syscall.TIOCGWINSZ), uintptr(unsafe.Pointer(ws)))
2013-10-16 23:05:50 +00:00
// Skipp errno = 0
if err == 0 {
return ws, nil
}
return ws, err
}
func SetWinsize(fd uintptr, ws *Winsize) error {
_, _, err := syscall.Syscall(syscall.SYS_IOCTL, fd, uintptr(syscall.TIOCSWINSZ), uintptr(unsafe.Pointer(ws)))
2013-10-16 23:05:50 +00:00
// Skipp errno = 0
if err == 0 {
return nil
}
return err
}
// IsTerminal returns true if the given file descriptor is a terminal.
2013-06-01 22:55:05 +00:00
func IsTerminal(fd uintptr) bool {
2013-02-27 01:26:46 +00:00
var termios Termios
return tcget(fd, &termios) == 0
}
// Restore restores the terminal connected to the given file descriptor to a
// previous state.
func RestoreTerminal(fd uintptr, state *State) error {
2013-11-29 17:52:44 +00:00
if state == nil {
return ErrInvalidState
}
if err := tcset(fd, &state.termios); err != 0 {
2013-11-29 17:52:44 +00:00
return err
}
return nil
}
2013-05-14 22:37:35 +00:00
func SaveState(fd uintptr) (*State, error) {
var oldState State
if err := tcget(fd, &oldState.termios); err != 0 {
2013-05-14 22:37:35 +00:00
return nil, err
}
return &oldState, nil
}
2013-08-18 04:29:37 +00:00
func DisableEcho(fd uintptr, state *State) error {
newState := state.termios
newState.Lflag &^= syscall.ECHO
if err := tcset(fd, &newState); err != 0 {
return err
}
2013-08-18 04:29:37 +00:00
handleInterrupt(fd, state)
return nil
}
2013-08-18 04:29:37 +00:00
func SetRawTerminal(fd uintptr) (*State, error) {
oldState, err := MakeRaw(fd)
if err != nil {
return nil, err
}
handleInterrupt(fd, oldState)
return oldState, err
}
func handleInterrupt(fd uintptr, state *State) {
sigchan := make(chan os.Signal, 1)
signal.Notify(sigchan, os.Interrupt)
2013-05-14 22:37:35 +00:00
go func() {
_ = <-sigchan
RestoreTerminal(fd, state)
2013-05-14 22:37:35 +00:00
os.Exit(0)
}()
}