I have been in DevOps related jobs for past 6 years dealing mainly with Kubernetes in AWS and on-premise as well. I spent quite a lot …
:date_long | 2 min Read
Go create file on server
package main
import (
"fmt"
"html/template"
"io/ioutil"
"net/http"
"os"
"path/filepath"
)
var tpl *template.Template
func init() {
tpl = template.Must(template.ParseFiles("index.gohtml"))
}
func main() {
http.HandleFunc("/", foo)
http.Handle("/favicon.ico", http.NotFoundHandler())
http.ListenAndServe(":8080", nil)
}
func foo(w http.ResponseWriter, r *http.Request) {
var s string
fmt.Printf("Request method: %v\n", r.Method)
if r.Method == http.MethodPost {
f, h, err := r.FormFile("q")
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
defer f.Close()
fmt.Printf("File: %v\n", f)
fmt.Printf("Headers: %v\n", h)
fmt.Printf("Error: %v\n", err)
bs, err := ioutil.ReadAll(f)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
s = string(bs)
// create a new file on the server
// do not forget to create user/ folder manually at the server first
newFile, err := os.Create(filepath.Join("user/", h.Filename+"_uploaded.txt"))
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
defer newFile.Close()
_, err = newFile.Write(bs)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
}
w.Header().Set("Content-Type", "text/html; charset=utf-8")
tpl.ExecuteTemplate(w, "index.gohtml", s)
}
// Options for <form> and POST method in particular
// - <form method="POST" enctype="multipart/form-data">
// - <form method="POST" enctype="multipart/x-www-form-urlencoded">
// - <form method="POST" enctype="text/plain">
// cat index.gohtml
// <!DOCTYPE html>
// <html lang="en">
// <head>
// <meta charset="UTF-8">
// <title>Input Type Submit</title>
// </head>
// <body>
// <form method="POST" enctype="multipart/form-data">
// <label for="idx-f">Choose File To Upload</label>
// <input type="file" id="idx-f" name="q">
// <br>
// <input type="submit">
// </form>
// {{if .}}
// <h1>Here are the contents of the file:</h1>
// {{.}}
// {{end}}
// </body>
// </html>