如何在不使用日志的情况下在Go中打印到Stderr

时间:2015-04-18 18:52:11

标签: error-handling go

如何在不使用log的情况下向Stderr发送消息?

A comment in this SO post显示了如何使用loglog.Println("Message"),但如果我不想要时间戳呢?

以下是好的Go?

os.Stderr.WriteString("Message")

6 个答案:

答案 0 :(得分:74)

如果您不想要时间戳,只需创建一个新的log.Loggerflag设置为0

l := log.New(os.Stderr, "", 0)
l.Println("log msg")

修改

  

以下是好的Go?

os.Stderr.WriteString("Message")

这是可以接受的,您也可以使用fmt.Fprintf和朋友来获取格式化输出:

fmt.Fprintf(os.Stderr, "number of foo: %d", nFoo)

答案 1 :(得分:54)

使用fmt包,您可以选择以这种方式写入stderr

import "fmt"
import "os"

func main() {
    fmt.Fprintln(os.Stderr, "hello world")
}

答案 2 :(得分:12)

os.Stderrio.Writer,因此您可以在接受io.Writer的任何函数中使用它。以下是一些例子:

str := "Message"
fmt.Fprintln(os.Stderr, str)
io.WriteString(os.Stderr, str)
io.Copy(os.Stderr, bytes.NewBufferString(str))
os.Stderr.Write([]byte(str))

这一切都取决于你想要打印的字符串的准确程度(例如,如果你想将它格式化为io.Reader,如果你将它作为字节切片... )。而且还有很多方法。

答案 3 :(得分:8)

Go内置函数printprintln打印到stderr。因此,如果您只想向stderr输出一些文本,则可以

package main

func main() {
    println("Hello stderr!")
}

文档:https://golang.org/pkg/builtin/#print

答案 4 :(得分:5)

默认情况下,记录器标志设置为Ldate | Ltime。您可以将记录器格式更改为以下任何一种(来自golang log documentation):

Ldate         = 1 << iota     // the date in the local time zone: 2009/01/23
Ltime                         // the time in the local time zone: 01:23:23
Lmicroseconds                 // microsecond resolution: 01:23:23.123123.  assumes Ltime.
Llongfile                     // full file name and line number: /a/b/c/d.go:23
Lshortfile                    // final file name element and line number: d.go:23. overrides Llongfile
LUTC                          // if Ldate or Ltime is set, use UTC rather than the local time zone
LstdFlags     = Ldate | Ltime // initial values for the standard logger

例如,标志Ldate | Ltime(或LstdFlags)产生,

2009/01/23 01:23:23 message

虽然标志Ldate | Ltime | Lmicroseconds | Llongfile产生,

2009/01/23 01:23:23.123123 /a/b/c/d.go:23: message

您还可以通过将标志设置为0来将默认记录器设置为不打印任何内容:

log.SetFlags(0)

答案 5 :(得分:0)

使用SetOutput函数,将输出流设置为os.Stdout

import (
    "log"
    "os"
)

func init() {
    log.SetOutput(os.Stdout)
}

func main() {
    log.Println("Gene Story SNP File Storage Server Started.")
}