Hướng dẫn tạo form upload nhiều hình ảnh bằng Golang
Hướng dẫn chi tiết cách tạo form để upload nhiều hình ảnh cùng lúc trong Golang bằng cách sử dụng thư viện `net/http`.
Trong bài viết này, chúng ta sẽ học cách tạo một form HTML để upload nhiều hình ảnh, sau đó xử lý các file hình ảnh này bằng Golang. Chúng ta sẽ sử dụng thư viện net/http
để quản lý việc nhận dữ liệu từ form và lưu trữ các hình ảnh vào thư mục đích.
Mã Golang:
package main
import (
"fmt"
"io"
"net/http"
"os"
"path/filepath"
)
func uploadHandler(w http.ResponseWriter, r *http.Request) {
// Giới hạn kích thước của bộ nhớ tạm để xử lý upload
r.ParseMultipartForm(10 << 20)
// Lấy các file upload từ form
files := r.MultipartForm.File["files"]
for _, fileHeader := range files {
// Mở file được upload
file, err := fileHeader.Open()
if err != nil {
http.Error(w, "Không thể mở file", http.StatusInternalServerError)
return
}
defer file.Close()
// Tạo file mới để lưu trữ
dst, err := os.Create(filepath.Join("uploads", fileHeader.Filename))
if err != nil {
http.Error(w, "Không thể lưu file", http.StatusInternalServerError)
return
}
defer dst.Close()
// Sao chép nội dung của file được upload vào file mới
if _, err := io.Copy(dst, file); err != nil {
http.Error(w, "Không thể sao chép file", http.StatusInternalServerError)
return
}
}
fmt.Fprintln(w, "Upload thành công!")
}
func main() {
// Tạo thư mục lưu trữ nếu chưa có
os.MkdirAll("uploads", os.ModePerm)
// Định nghĩa handler cho đường dẫn /upload
http.HandleFunc("/upload", uploadHandler)
// Tạo trang HTML cho form upload
http.HandleFunc("/", func(w http.ResponseWriter, r *http.Request) {
fmt.Fprintln(w, `<html><body>
<form action="/upload" method="post" enctype="multipart/form-data">
Chọn nhiều hình ảnh: <input type="file" name="files" multiple>
<input type="submit" value="Upload">
</form>
</body></html>`)
})
fmt.Println("Server đang chạy tại http://localhost:8080")
http.ListenAndServe(":8080", nil)
}
Giải thích chi tiết từng dòng code:
-
r.ParseMultipartForm(10 << 20)
: Giới hạn kích thước của bộ nhớ tạm để xử lý file upload là 10MB. -
files := r.MultipartForm.File["files"]
: Lấy danh sách các file được upload từ form. -
os.Create(filepath.Join("uploads", fileHeader.Filename))
: Tạo một file mới trong thư mục "uploads" để lưu file upload. -
io.Copy(dst, file)
: Sao chép nội dung từ file upload vào file mới trên server. -
http.HandleFunc("/upload", uploadHandler)
: Xác định đường dẫn xử lý yêu cầu upload hình ảnh. -
http.ListenAndServe(":8080", nil)
: Khởi động server tại cổng 8080.
Yêu cầu hệ thống:
- Go phiên bản 1.16 trở lên
Cách cài đặt Golang:
Tải và cài đặt Golang từ trang web chính thức Go.
Lời khuyên:
- Đảm bảo thư mục "uploads" có quyền ghi để lưu trữ file upload.
- Kiểm tra kích thước và loại file trước khi lưu trữ để tránh lỗi bảo mật.