Backend (Go): - FCM Push Notifications (fcm.go, push_handler.go) - Credit Lines (credit_line.go, credit_handler.go) - Payment Config (admin_handler.go, seller_payment_handler.go) - Team Management (team_handler.go) Backoffice (NestJS): - Dashboard module (KPIs, revenue charts) - Audit module (tracking changes) - Disputes module (CRUD, resolution) - Reports module (CSV export) - Performance module (seller scores) - Fraud module (detection, alerts) Frontend (Marketplace): - ThemeContext for Dark Mode - HelpCenter page with FAQ - OrderDetails with timeline - Team management page - Persistent cart (Zustand)
76 lines
1.9 KiB
Go
76 lines
1.9 KiB
Go
package handler
|
|
|
|
import (
|
|
stdjson "encoding/json"
|
|
"net/http"
|
|
|
|
"github.com/gofrs/uuid/v5"
|
|
)
|
|
|
|
// GetSellerPaymentConfig returns the seller's payment configuration
|
|
func (h *Handler) GetSellerPaymentConfig(w http.ResponseWriter, r *http.Request) {
|
|
idStr := r.PathValue("id")
|
|
sellerID, err := uuid.FromString(idStr)
|
|
if err != nil {
|
|
http.Error(w, "invalid seller id", http.StatusBadRequest)
|
|
return
|
|
}
|
|
|
|
// Verify permissions (only seller or admin)
|
|
usr, err := h.getUserFromContext(r.Context())
|
|
if err != nil {
|
|
http.Error(w, "unauthorized", http.StatusUnauthorized)
|
|
return
|
|
}
|
|
if usr.CompanyID != sellerID && usr.Role != "Admin" {
|
|
http.Error(w, "forbidden", http.StatusForbidden)
|
|
return
|
|
}
|
|
|
|
acc, err := h.svc.GetSellerPaymentAccount(r.Context(), sellerID)
|
|
if err != nil {
|
|
// return empty if not found? or 404?
|
|
// for UX, empty object is often better
|
|
stdjson.NewEncoder(w).Encode(map[string]any{})
|
|
return
|
|
}
|
|
|
|
w.Header().Set("Content-Type", "application/json")
|
|
stdjson.NewEncoder(w).Encode(acc)
|
|
}
|
|
|
|
// OnboardSeller initiates the onboarding flow (e.g. Stripe Connect)
|
|
func (h *Handler) OnboardSeller(w http.ResponseWriter, r *http.Request) {
|
|
idStr := r.PathValue("id")
|
|
sellerID, err := uuid.FromString(idStr)
|
|
if err != nil {
|
|
http.Error(w, "invalid seller id", http.StatusBadRequest)
|
|
return
|
|
}
|
|
|
|
usr, err := h.getUserFromContext(r.Context())
|
|
if err != nil {
|
|
http.Error(w, "unauthorized", http.StatusUnauthorized)
|
|
return
|
|
}
|
|
if usr.CompanyID != sellerID && usr.Role != "Admin" {
|
|
http.Error(w, "forbidden", http.StatusForbidden)
|
|
return
|
|
}
|
|
|
|
var req struct {
|
|
Gateway string `json:"gateway"`
|
|
}
|
|
if err := stdjson.NewDecoder(r.Body).Decode(&req); err != nil {
|
|
http.Error(w, err.Error(), http.StatusBadRequest)
|
|
return
|
|
}
|
|
|
|
link, err := h.svc.OnboardSeller(r.Context(), sellerID, req.Gateway)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusInternalServerError)
|
|
return
|
|
}
|
|
|
|
stdjson.NewEncoder(w).Encode(map[string]string{"onboarding_url": link})
|
|
}
|