| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365 | // Copyright (C) 2019-2023 Nicola Murino//// This program is free software: you can redistribute it and/or modify// it under the terms of the GNU Affero General Public License as published// by the Free Software Foundation, version 3.//// This program is distributed in the hope that it will be useful,// but WITHOUT ANY WARRANTY; without even the implied warranty of// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the// GNU Affero General Public License for more details.//// You should have received a copy of the GNU Affero General Public License// along with this program. If not, see <https://www.gnu.org/licenses/>.// Package logger provides logging capabilities.// It is a wrapper around zerolog for logging and lumberjack for log rotation.// Logs are written to the specified log file.// Logging on the console is provided to print initialization info, errors and warnings.// The package provides a request logger to log the HTTP requests for REST API too.// The request logger uses chi.middleware.RequestLogger,// chi.middleware.LogFormatter and chi.middleware.LogEntry to build a structured// logger using zerologpackage loggerimport (	"errors"	"fmt"	"io/fs"	"os"	"path/filepath"	"time"	ftpserverlog "github.com/fclairamb/go-log"	"github.com/rs/zerolog"	lumberjack "gopkg.in/natefinch/lumberjack.v2")const (	dateFormat = "2006-01-02T15:04:05.000" // YYYY-MM-DDTHH:MM:SS.ZZZ)// LogLevel defines log levels.type LogLevel uint8// defines our own log levels, just in case we'll change logger in futureconst (	LevelDebug LogLevel = iota	LevelInfo	LevelWarn	LevelError)var (	logger        zerolog.Logger	consoleLogger zerolog.Logger	rollingLogger *lumberjack.Logger)func init() {	zerolog.TimeFieldFormat = dateFormat}// GetLogger get the configured logger instancefunc GetLogger() *zerolog.Logger {	return &logger}// InitLogger configures the logger using the given parametersfunc InitLogger(logFilePath string, logMaxSize int, logMaxBackups int, logMaxAge int, logCompress, logUTCTime bool,	level zerolog.Level,) {	SetLogTime(logUTCTime)	if isLogFilePathValid(logFilePath) {		logDir := filepath.Dir(logFilePath)		if _, err := os.Stat(logDir); errors.Is(err, fs.ErrNotExist) {			err = os.MkdirAll(logDir, os.ModePerm)			if err != nil {				fmt.Printf("unable to create log dir %q: %v", logDir, err)			}		}		rollingLogger = &lumberjack.Logger{			Filename:   logFilePath,			MaxSize:    logMaxSize,			MaxBackups: logMaxBackups,			MaxAge:     logMaxAge,			Compress:   logCompress,			LocalTime:  !logUTCTime,		}		logger = zerolog.New(rollingLogger)		EnableConsoleLogger(level)	} else {		logger = zerolog.New(&logSyncWrapper{			output: os.Stdout,		})		consoleLogger = zerolog.Nop()	}	logger = logger.Level(level)}// InitStdErrLogger configures the logger to write to stderrfunc InitStdErrLogger(level zerolog.Level) {	logger = zerolog.New(&logSyncWrapper{		output: os.Stderr,	}).Level(level)	consoleLogger = zerolog.Nop()}// DisableLogger disable the main logger.// ConsoleLogger will not be affectedfunc DisableLogger() {	logger = zerolog.Nop()	rollingLogger = nil}// EnableConsoleLogger enables the console loggerfunc EnableConsoleLogger(level zerolog.Level) {	consoleOutput := zerolog.ConsoleWriter{		Out:        os.Stdout,		TimeFormat: dateFormat,	}	consoleLogger = zerolog.New(consoleOutput).With().Timestamp().Logger().Level(level)}// RotateLogFile closes the existing log file and immediately create a new onefunc RotateLogFile() error {	if rollingLogger != nil {		return rollingLogger.Rotate()	}	return errors.New("logging to file is disabled")}// SetLogTime sets logging time related settingfunc SetLogTime(utc bool) {	if utc {		zerolog.TimestampFunc = func() time.Time {			return time.Now().UTC()		}	} else {		zerolog.TimestampFunc = time.Now	}}// Log logs at the specified level for the specified senderfunc Log(level LogLevel, sender string, connectionID string, format string, v ...any) {	var ev *zerolog.Event	switch level {	case LevelDebug:		ev = logger.Debug()	case LevelInfo:		ev = logger.Info()	case LevelWarn:		ev = logger.Warn()	default:		ev = logger.Error()	}	ev.Timestamp().Str("sender", sender)	if connectionID != "" {		ev.Str("connection_id", connectionID)	}	ev.Msg(fmt.Sprintf(format, v...))}// Debug logs at debug level for the specified senderfunc Debug(sender, connectionID, format string, v ...any) {	Log(LevelDebug, sender, connectionID, format, v...)}// Info logs at info level for the specified senderfunc Info(sender, connectionID, format string, v ...any) {	Log(LevelInfo, sender, connectionID, format, v...)}// Warn logs at warn level for the specified senderfunc Warn(sender, connectionID, format string, v ...any) {	Log(LevelWarn, sender, connectionID, format, v...)}// Error logs at error level for the specified senderfunc Error(sender, connectionID, format string, v ...any) {	Log(LevelError, sender, connectionID, format, v...)}// DebugToConsole logs at debug level to stdoutfunc DebugToConsole(format string, v ...any) {	consoleLogger.Debug().Msg(fmt.Sprintf(format, v...))}// InfoToConsole logs at info level to stdoutfunc InfoToConsole(format string, v ...any) {	consoleLogger.Info().Msg(fmt.Sprintf(format, v...))}// WarnToConsole logs at info level to stdoutfunc WarnToConsole(format string, v ...any) {	consoleLogger.Warn().Msg(fmt.Sprintf(format, v...))}// ErrorToConsole logs at error level to stdoutfunc ErrorToConsole(format string, v ...any) {	consoleLogger.Error().Msg(fmt.Sprintf(format, v...))}// TransferLog logs uploads or downloadsfunc TransferLog(operation, path string, elapsed int64, size int64, user, connectionID, protocol, localAddr,	remoteAddr, ftpMode string,) {	ev := logger.Info().		Timestamp().		Str("sender", operation).		Str("local_addr", localAddr).		Str("remote_addr", remoteAddr).		Int64("elapsed_ms", elapsed).		Int64("size_bytes", size).		Str("username", user).		Str("file_path", path).		Str("connection_id", connectionID).		Str("protocol", protocol)	if ftpMode != "" {		ev.Str("ftp_mode", ftpMode)	}	ev.Send()}// CommandLog logs an SFTP/SCP/SSH commandfunc CommandLog(command, path, target, user, fileMode, connectionID, protocol string, uid, gid int, atime, mtime,	sshCommand string, size int64, localAddr, remoteAddr string, elapsed int64) {	logger.Info().		Timestamp().		Str("sender", command).		Str("local_addr", localAddr).		Str("remote_addr", remoteAddr).		Str("username", user).		Str("file_path", path).		Str("target_path", target).		Str("filemode", fileMode).		Int("uid", uid).		Int("gid", gid).		Str("access_time", atime).		Str("modification_time", mtime).		Int64("size", size).		Int64("elapsed", elapsed).		Str("ssh_command", sshCommand).		Str("connection_id", connectionID).		Str("protocol", protocol).		Send()}// ConnectionFailedLog logs failed attempts to initialize a connection.// A connection can fail for an authentication error or other errors such as// a client abort or a time out if the login does not happen in two minutes.// These logs are useful for better integration with Fail2ban and similar tools.func ConnectionFailedLog(user, ip, loginType, protocol, errorString string) {	logger.Debug().		Timestamp().		Str("sender", "connection_failed").		Str("client_ip", ip).		Str("username", user).		Str("login_type", loginType).		Str("protocol", protocol).		Str("error", errorString).		Send()}func isLogFilePathValid(logFilePath string) bool {	cleanInput := filepath.Clean(logFilePath)	if cleanInput == "." || cleanInput == ".." {		return false	}	return true}// StdLoggerWrapper is a wrapper for standard logger compatibilitytype StdLoggerWrapper struct {	Sender string}// Write implements the io.Writer interface. This is useful to set as a writer// for the standard library log.func (l *StdLoggerWrapper) Write(p []byte) (n int, err error) {	n = len(p)	if n > 0 && p[n-1] == '\n' {		// Trim CR added by stdlog.		p = p[0 : n-1]	}	Log(LevelError, l.Sender, "", string(p))	return}// LeveledLogger is a logger that accepts a message string and a variadic number of key-value pairstype LeveledLogger struct {	Sender            string	additionalKeyVals []any}func addKeysAndValues(ev *zerolog.Event, keysAndValues ...any) {	kvLen := len(keysAndValues)	if kvLen%2 != 0 {		extra := keysAndValues[kvLen-1]		keysAndValues = append(keysAndValues[:kvLen-1], "EXTRA_VALUE_AT_END", extra)	}	for i := 0; i < len(keysAndValues); i += 2 {		key, val := keysAndValues[i], keysAndValues[i+1]		if keyStr, ok := key.(string); ok && keyStr != "timestamp" {			ev.Str(keyStr, fmt.Sprintf("%v", val))		}	}}// Error logs at error level for the specified senderfunc (l *LeveledLogger) Error(msg string, keysAndValues ...any) {	ev := logger.Error()	ev.Timestamp().Str("sender", l.Sender)	if len(l.additionalKeyVals) > 0 {		addKeysAndValues(ev, l.additionalKeyVals...)	}	addKeysAndValues(ev, keysAndValues...)	ev.Msg(msg)}// Info logs at info level for the specified senderfunc (l *LeveledLogger) Info(msg string, keysAndValues ...any) {	ev := logger.Info()	ev.Timestamp().Str("sender", l.Sender)	if len(l.additionalKeyVals) > 0 {		addKeysAndValues(ev, l.additionalKeyVals...)	}	addKeysAndValues(ev, keysAndValues...)	ev.Msg(msg)}// Debug logs at debug level for the specified senderfunc (l *LeveledLogger) Debug(msg string, keysAndValues ...any) {	ev := logger.Debug()	ev.Timestamp().Str("sender", l.Sender)	if len(l.additionalKeyVals) > 0 {		addKeysAndValues(ev, l.additionalKeyVals...)	}	addKeysAndValues(ev, keysAndValues...)	ev.Msg(msg)}// Warn logs at warn level for the specified senderfunc (l *LeveledLogger) Warn(msg string, keysAndValues ...any) {	ev := logger.Warn()	ev.Timestamp().Str("sender", l.Sender)	if len(l.additionalKeyVals) > 0 {		addKeysAndValues(ev, l.additionalKeyVals...)	}	addKeysAndValues(ev, keysAndValues...)	ev.Msg(msg)}// Panic logs the panic at error level for the specified senderfunc (l *LeveledLogger) Panic(msg string, keysAndValues ...any) {	l.Error(msg, keysAndValues...)}// With returns a LeveledLogger with additional context specific keyvalsfunc (l *LeveledLogger) With(keysAndValues ...any) ftpserverlog.Logger {	return &LeveledLogger{		Sender:            l.Sender,		additionalKeyVals: append(l.additionalKeyVals, keysAndValues...),	}}
 |