3

有谁知道如何将 consul 中的字符串连接为 consul-template?

如果我在 Consul 中注册了服务“foo”

{
  "Node": "node1",
  "Address": "192.168.0.1",
  "Port": 3333
},
{
  "Node": "node2",
  "Address": "192.168.0.2",
  "Port": 4444
}

我希望 consul-template 生成以下行:

servers=192.168.0.1:3333,192.168.0.2:4444/bogus

以下尝试不起作用,因为它留下了尾随逗号,

servers={{range service "foo"}}{{.Address}}{{.Port}},{{end}}/bogus
# renders
servers=192.168.0.1:3333,192.168.0.2:4444,/bogus

# What I actually want
servers=192.168.0.1:3333,192.168.0.2:4444/bogus

我知道 consul-template 使用 golang 模板语法,但我根本无法弄清楚使这个工作正常的语法。我很可能应该使用领事模板join,但我如何同时传递.Address和传递.Portjoin?这只是一个简单的例子,我没有故意使用索引,因为服务的数量可能超过两个。有任何想法吗?

4

2 回答 2

3

这应该有效。

{{$foo_srv := service "foo"}}
{{if $foo_srv}}
  {{$last := len $foo_srv | subtract 1}}
servers=
  {{- range $i := loop $last}}
    {{- with index $foo_srv $i}}{{.Address}}{{.Port}},{{end}}
  {{- end}}
  {{- with index $foo_srv last}}{{.Address}}{{.Port}}{{end}}/bogus
{{end}}

我在想是否可以使用“加入”。

注意“{{-”表示删除前导空格(例如''、\t、\n)。

于 2017-03-06T07:15:40.290 回答
0

您可以使用自定义插件。

servers={{service "foo" | toJSON | plugin "path/to/plugin"}}

插件代码:

package main

import (
    "encoding/json"
    "fmt"
    "os"
)

type InputEntry struct {
    Node    string
    Address string
    Port    int
}

func main() {
    arg := []byte(os.Args[1])
    var input []InputEntry
    if err := json.Unmarshal(arg, &input); err != nil {
        fmt.Fprintln(os.Stderr, fmt.Sprintf("err: %s", err))
        os.Exit(1)
    }

    var output string
    for i, entry := range input {
        output += fmt.Sprintf("%v:%v", entry.Address, entry.Port)
        if i != len(input)-1 {
            output += ","
        }
    }

    fmt.Fprintln(os.Stdout, string(output))
    os.Exit(0)
}
于 2016-07-26T07:14:43.227 回答