You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
54 lines
1.1 KiB
54 lines
1.1 KiB
package controllers
|
|
|
|
import (
|
|
"encoding/json"
|
|
"fmt"
|
|
"net/http"
|
|
"github.com/gorilla/mux"
|
|
)
|
|
|
|
// User represents a user in the system
|
|
type User struct {
|
|
ID int `json:"id"`
|
|
Name string `json:"name"`
|
|
}
|
|
|
|
// GetUsers handles the GET /users route
|
|
func GetUsers(w http.ResponseWriter, r *http.Request) {
|
|
users := []User{
|
|
{ID: 1, Name: "John Doe"},
|
|
{ID: 2, Name: "Jane Doe"},
|
|
}
|
|
|
|
w.Header().Set("Content-Type", "application/json")
|
|
json.NewEncoder(w).Encode(users)
|
|
}
|
|
|
|
// GetUser handles the GET /users/{id} route
|
|
func GetUser(w http.ResponseWriter, r *http.Request) {
|
|
vars := mux.Vars(r)
|
|
id := vars["id"]
|
|
|
|
user := User{ID: 1, Name: "John Doe"} // Placeholder user
|
|
|
|
if id == "1" {
|
|
w.Header().Set("Content-Type", "application/json")
|
|
json.NewEncoder(w).Encode(user)
|
|
} else {
|
|
http.Error(w, "User not found", http.StatusNotFound)
|
|
}
|
|
}
|
|
|
|
// CreateUser handles the POST /users route
|
|
func CreateUser(w http.ResponseWriter, r *http.Request) {
|
|
var user User
|
|
|
|
err := json.NewDecoder(r.Body).Decode(&user)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusBadRequest)
|
|
return
|
|
}
|
|
|
|
fmt.Fprintf(w, "Received user: %+v", user)
|
|
}
|