To print this in browser, replace \n
with e.g. <br>
like body = strings.Replace(body, "\n", "<br>", -1)
See this working sample code:
package main
import (
"bytes"
"fmt"
"html/template"
"log"
"net/http"
"strings"
)
func main() {
http.HandleFunc("/", ServeHTTP)
if err := http.ListenAndServe(":80", nil); err != nil {
log.Fatal(err)
}
}
func ServeHTTP(w http.ResponseWriter, r *http.Request) {
html := `
<!DOCTYPE html>
<html>
<body>
<table style="width:100%">
<tr>
<th>Data</th>
<th>Content</th>
</tr>
<tr>
<td>{{.Data}}</td>
<td>{{.Content}}</td>
</tr>
</table>
</body>
</html>
`
st := "Hi!\nHow are you?\nHere is the link you wanted:\nhttp://www.google.com"
data := DataContent{"data", st}
buf := &bytes.Buffer{}
t := template.Must(template.New("template1").Parse(html))
if err := t.Execute(buf, data); err != nil {
panic(err)
}
body := buf.String()
body = strings.Replace(body, "\n", "<br>", -1)
fmt.Fprint(w, body)
}
type DataContent struct {
Data, Content string
}
To see the output, run this code and open your browser at http://127.0.0.1/
Also see: html/templates - Replacing newlines with <br>
I hope this helps.