Fluentd + golang日志记录应用程序出错

时间:2016-04-26 08:12:30

标签: logging go fluentd

我是golang和流利的新手。我正在尝试使用来自github.com/fluent/fluent-logger-golang/fluent的流利的记录器库来构建日志记录应用程序。

在192.168.0.106上,流畅的服务正在运行并正在侦听24224

以下是登录golang的程序。

package main

import (
    "github.com/fluent/fluent-logger-golang/fluent"
    "fmt"
)

type Student struct {
    name string
    id_no int
    age int
}

func main() {
    logger,err :=fluent.New(fluent.Config{FluentHost:"192.168.0.106", FluentPort:24224})
    fmt.Println(logger.BufferLimit)
    if err != nil{
        fmt.Println("error creating fluentd instance")
        return
    }

    defer logger.Close()
    tag := "fluentd-log-demo"
    data := Student{"John",1234,25}
    error := logger.Post(tag,data)
    if error != nil{
        panic(error)
    }
}

执行二进制文件后,我收到很多错误。

mahesh@ubuntu14:~/golang$ fluentd-log-demo
8388608
panic: reflect.Value.Interface: cannot return value obtained from unexported field or method

goroutine 1 [running]:
panic(0x5674e0, 0xc82000a6f0)
    /home/mahesh/gotools/src/runtime/panic.go:464 +0x3e6
reflect.valueInterface(0x5674e0, 0xc820010300, 0xb8, 0x1, 0x0, 0x0)
    /home/mahesh/gotools/src/reflect/value.go:919 +0xe7
reflect.Value.Interface(0x5674e0, 0xc820010300, 0xb8, 0x0, 0x0)
    /home/mahesh/gotools/src/reflect/value.go:908 +0x48
github.com/fluent/fluent-logger-golang/fluent.(*Fluent).PostWithTime(0xc82007a000, 0x603120, 0x10, 0xeceb11576, 0x28abb08c, 0x6d7bc0, 0x5b2060, 0xc820010300, 0x0, 0x0)
    /home/mahesh/golib/src/github.com/fluent/fluent-logger-golang/fluent/fluent.go:139 +0x315
github.com/fluent/fluent-logger-golang/fluent.(*Fluent).Post(0xc82007a000, 0x603120, 0x10, 0x5b2060, 0xc820010300, 0x0, 0x0)
    /home/mahesh/golib/src/github.com/fluent/fluent-logger-golang/fluent/fluent.go:116 +0x96
main.main()
    /home/mahesh/golang/src/GoBasics/fluentd-log-demo/main.go:25 +0x39e
mahesh@ubuntu14:~/golang$

请帮我解决问题。

谢谢

2 个答案:

答案 0 :(得分:2)

错误是由此行引起的:

error := logger.Post(tag,data)

data的类型为Student,它是您自己的结构类型。它包含未导出的字段(名称以小写字母开头的字段)。只能从定义类型的包中访问未导出的字段。

因此,当fluent包尝试访问它们(通过反射)时,会出现运行时混乱,因为这是不允许的(fluent包不是您的main包。)< / p>

解决方案很简单:导出Student类型的字段:

type Student struct {
    Name string
    IdNo int
    Age int
}

另一种选择是使用map,例如:

data := map[string]interface{}{
    "name": "John",
    "id_no": 1234,
    "age": 25,
}

struct解决方案更灵活,但您可以“重新映射”或更改字段在带有结构标记的日志中的显示方式,例如:

type Student struct {
    Name string `msg:"name"`
    IdNo int    `msg:"id_no"`
    Age int     `msg:"age"`
}

阅读此问题+答案了解有关struct标签的更多信息:

What are the use(s) for tags in Go?

Spec: Struct types

也涵盖了这一点

答案 1 :(得分:0)

需要导出struct Student的所有属性。只需将第一个char更改为大写,它就可以工作

type Student struct {
    Name  string
    Id_no int
    Age   int
}
相关问题