2

実行時に要素の追加属性をマーシャリングする必要があります。私はこれを試しました:

type Meh struct {
    XMLName xml.Name
    Attrs []xml.Attr
}

Meh{
    Attrs: []xml.Attr{
        xml.Attr{xml.Name{Local: "hi"}, "there"},
    },  
}

ただし、フィールドは新しい要素として扱われます。

<Meh><Attrs><Name></Name><Value>there</Value></Attrs></Meh>

タグxml:",attr"Attrフィールドに追加すると、単一の属性の内容を指定する[]byteorが必要になります。string

実行時に属性を指定するにはどうすればよいですか? このためのフィールドを提供するために型に注釈を付けるにはどうすればよいですか?

4

1 に答える 1

2

テンプレートを直接操作してみてください。例:

package main

import (
    "bytes"
    "encoding/xml"
    "fmt"
    "text/template"
)

type ele struct {
    Name  string
    Attrs []attr
}

type attr struct {
    Name, Value string
}

var x = `<{{.Name}}{{range $a := .Attrs}} {{$a.Name}}="{{xml $a.Value}}"{{end}}>
</{{.Name}}>`

func main() {
    // template function "xml" defined here does basic escaping,
    // important for handling special characters such as ".
    t := template.New("").Funcs(template.FuncMap{"xml": func(s string) string {
        var b bytes.Buffer
        xml.Escape(&b, []byte(s))
        return b.String()
    }})
    template.Must(t.Parse(x))
    e := ele{
        Name: "Meh",
        Attrs: []attr{
            {"hi", "there"},
            {"um", `I said "hello?"`},
        },
    }
    b := new(bytes.Buffer)
    err := t.Execute(b, e)
    if err != nil {
        fmt.Println(err)
        return
    }
    fmt.Println(b)
}

出力:

<Meh hi="there" um="I said &#34;hello?&#34;">
</Meh>
于 2012-05-31T19:11:30.397 に答える