Не удалось прочитать файл TOML с помощью библиотеки Go с BurntSushi

Я использую библиотеку BurntSushi для загрузки файла конфигурации TOML в свое приложение GO. Я следовал инструкциям библиотеки, чтобы написать структуры и сам файл конфигурации toml. У меня возникли проблемы, и я не могу найти источник своих проблем.

Вот подробности:

Структуры:

package main


//ConfigurationParameters provides the struct to hold configuration parameters from config file
type ConfigurationParameters struct {
    Title string
    //serviceDiscovery captures configuration parameters needed for service discovery registration with Consul
    ServiceDiscovery ConsulConf `toml:"ServiceDiscovery"`
    //metadataReporting captures which metadata to be registered with service into consul for use during discovery
    MetadataReporting MetaDataConf `toml:"MetadataReporting"`
    //awsTagsToLabels captures the aws tags that should be added to reported metrics as Labels
    AwsTagsToLabels LabelConf `toml:"AwsTagsToLabels"`
    //collectors captures the list of collectors to use
    Collectors CollectorConf `toml:"Collectors"`
    //service captures agent related configurations
    Service ServiceConf `toml:"Service"`
}

//ConsulConf captures configuration parameters needed for service discovery registration with Consul
type ConsulConf struct {
    enabled    bool
    endpoint   string
    port       int
    datacenter string
    serviceID  string
}
//MetaDataConf captures which metadata to be registered with service into consul for use during discovery
    type MetaDataConf struct {
        enabled   bool
        awsregion string
    }
//LabelConf captures the aws tags that should be added to reported metrics as Labels
type LabelConf struct {
    enabled       bool
    refreshPeriod int
}

//CollectorConf captures the list of collectors to use
type CollectorConf struct {
    goCollectionEnabled       bool
    exporterCollectionEnabled bool
    wmiCollectionEnabled      bool
    agentCollectionEnabled    bool
    enabledCollectors         string
    metricMap                 []MetricMap
}

//MetricMap captures a mapping between one or more WMI metrics and the name it should be reported with
type MetricMap struct {
    wmiMetricName  []string
    exportName     string
    dropMetric     bool
    computedMetric bool
    computeLogic   string
}

//ServiceConf captures agent related configurations
type ServiceConf struct {
    listenIP           string
    listenPort         int
    metricPath         string
    collectionInterval int
    serviceName        string
}

и файл конфигурации toml:

Title = "WMI Exporter Configuration"

[ServiceDiscovery]
    enabled = true
    endpoint = "my.consul.server"
    port = 5500
    datacenter = "ucm-west"
    serviceID = "ucm.agent.wmiExporter"

[MetadataReporting]
    enabled = true
    awsregion = "us-west-2"

[AwsTagsToLabels]
    enabled = true
    refreshPeriod = 3600

[Collectors]
    goCollectionEnabled = true
    exporterCollectionEnabled = true
    wmiCollectionEnabled = true
    agentCollectionEnabled = false
    enabledCollectors   = "cpu,os"
    [Collectors.MetricMap.0]
        wmiMetricName = ["test"]
        exportName = "export_test"

[Service]
    listenPort =  9103
    metricPath = "/metrics"
    collectionInterval = 60
    serviceName = "wmi_exporter"

И код, который читает файл конфигурации:

// InitializeFromConfig reads configuration parameters from configuration file and initializes this service
func InitializeFromConfig(configfile string) ConfigurationParameters {
    conf := ConfigurationParameters{}

    if configfile == "" {
        return conf
    }

    _, err := toml.DecodeFile(configfile, &conf)
    if err != nil {
        log.Fatalf("Cannot parse configuration file at %s. Error=%s", configfile, err)
    }
    //at this point, conf is a fully loaded configuration now; now initialize everything from conf
    return conf
}

Проблема, с которой я сталкиваюсь, заключается в том, что только значение атрибута Title сопоставляется с членами структуры GO. Все остальные конфигурации остаются неотображенными. Глядя на все примеры на github для BurntSushi и (Go) Как использовать файлы toml?, я не вижу никакой разницы с тем, что я сейчас делаю в коде.

Я также использовал валидатор tomlv из пакета BurntSushi, чтобы просмотреть типы из файла TOML, и считаю, что они выглядят правильно.

Типы данных:

Title                                             String
ServiceDiscovery                                  Hash
    ServiceDiscovery.enabled                      Bool
    ServiceDiscovery.endpoint                     String
    ServiceDiscovery.port                         Integer
    ServiceDiscovery.datacenter                   String
    ServiceDiscovery.serviceID                    String
MetadataReporting                                 Hash
    MetadataReporting.enabled                     Bool
    MetadataReporting.awsregion                   String
AwsTagsToLabels                                   Hash
    AwsTagsToLabels.enabled                       Bool
    AwsTagsToLabels.refreshPeriod                 Integer
Collectors                                        Hash
    Collectors.goCollectionEnabled                Bool
    Collectors.exporterCollectionEnabled          Bool
    Collectors.wmiCollectionEnabled               Bool
    Collectors.agentCollectionEnabled             Bool
    Collectors.enabledCollectors                  String
        Collectors.MetricMap.0                    Hash
            Collectors.MetricMap.0.wmiMetricName  Array
            Collectors.MetricMap.0.exportName     String
Service                                           Hash
    Service.listenPort                            Integer
    Service.metricPath                            String
    Service.collectionInterval                    Integer
    Service.serviceName                           String

Я попытался выполнить отладку кода пакета BurntSushi, но это не очень помогло (отладчик Delve не смог отобразить некоторые переменные в этом пакете и, казалось, случайным образом перескакивал между строками в этом пакете).

Любая помощь или указатели на то, что я могу делать неправильно?

Спасибо.


person sujitv    schedule 04.04.2017    source источник
comment
Все поля ваших подструктур не экспортируются. Здесь play.golang.org/p/OdVDj81KWw это будет раскодировано так, как вы хотите, почти , это не сработает на материале MetricMap, вам придется немного отладить его.   -  person mkopriva    schedule 05.04.2017
comment
Кстати, чтобы решить проблему MetricMap, вы должны заключить Collectors.MetricMap в двойные скобки, как это [[Collectors.MetricMap]], так как вы определяете поле как []MetricMap.   -  person mkopriva    schedule 05.04.2017
comment
@mkopriva - спасибо! это сработало. Если вы можете добавить это в качестве ответа, я могу отметить это как ответ.   -  person sujitv    schedule 05.04.2017


Ответы (1)


Вам нужно экспортировать любые поля, которые вы хотите BurntSushi/toml разобрать, включая подполя:

//ConfigurationParameters provides the struct to hold configuration parameters from config file
type ConfigurationParameters struct {
    Title string
    //serviceDiscovery captures configuration parameters needed for service discovery registration with Consul
    ServiceDiscovery ConsulConf `toml:"ServiceDiscovery"`
    //metadataReporting captures which metadata to be registered with service into consul for use during discovery
    MetadataReporting MetaDataConf `toml:"MetadataReporting"`
    //awsTagsToLabels captures the aws tags that should be added to reported metrics as Labels
    AwsTagsToLabels LabelConf `toml:"AwsTagsToLabels"`
    //collectors captures the list of collectors to use
    Collectors CollectorConf `toml:"Collectors"`
    //service captures agent related configurations
    Service ServiceConf `toml:"Service"`
}

//ConsulConf captures configuration parameters needed for service discovery registration with Consul
type ConsulConf struct {
    Enabled    bool
    Endpoint   string
    Port       int
    Datacenter string
    ServiceID  string
}

//MetaDataConf captures which metadata to be registered with service into consul for use during discovery
type MetaDataConf struct {
    Enabled   bool
    Awsregion string
}

//LabelConf captures the aws tags that should be added to reported metrics as Labels
type LabelConf struct {
    Enabled       bool
    RefreshPeriod int
}

//CollectorConf captures the list of collectors to use
type CollectorConf struct {
    GoCollectionEnabled       bool
    ExporterCollectionEnabled bool
    WmiCollectionEnabled      bool
    AgentCollectionEnabled    bool
    EnabledCollectors         string
    MetricMap                 []MetricMap
}

//MetricMap captures a mapping between one or more WMI metrics and the name it should be reported with
type MetricMap struct {
    WmiMetricName  []string
    ExportName     string
    DropMetric     bool
    ComputedMetric bool
    ComputeLogic   string
}

//ServiceConf captures agent related configurations
type ServiceConf struct {
    ListenIP           string
    ListenPort         int
    MetricPath         string
    CollectionInterval int
    ServiceName        string
}

Также я не уверен, что этот синтаксис Collectors.MetricMap.0 должен представлять, но для того, чтобы неупорядочить ваши значения toml в поле []MetricMap, что вы хотите сделать, это что-то вроде этого:

[[Collectors.MetricMap]]
    wmiMetricName = ["test"]
    exportName = "export_test"
person mkopriva    schedule 05.04.2017