123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121 |
- package tango
- import (
- "encoding/json"
- "encoding/xml"
- "net/http"
- "reflect"
- )
- type ResponseType int
- const (
- AutoResponse = iota
- JsonResponse
- XmlResponse
- )
- type ResponseTyper interface {
- ResponseType() int
- }
- type Json struct {
- }
- func (Json) ResponseType() int {
- return JsonResponse
- }
- type Xml struct {
- }
- func (Xml) ResponseType() int {
- return XmlResponse
- }
- func isNil(a interface{}) bool {
- if a == nil {
- return true
- }
- aa := reflect.ValueOf(a)
- return !aa.IsValid() || (aa.Type().Kind() == reflect.Ptr && aa.IsNil())
- }
- func ReturnHandler(ctx *Context) {
- var rt int
- if action := ctx.Action(); action != nil {
- if i, ok := action.(ResponseTyper); ok {
- rt = i.ResponseType()
- }
- }
- ctx.Next()
- // if has been write, then return
- if ctx.Written() {
- return
- }
- if isNil(ctx.Result) {
- if ctx.Action() == nil {
- // if there is no action match
- ctx.Result = NotFound()
- } else {
- // there is an action but return nil, then we return blank page
- ctx.Result = ""
- }
- }
- if rt == JsonResponse {
- if e, ok := ctx.Result.(error); ok {
- var m = map[string]string{
- "err": e.Error(),
- }
- bs, _ := json.Marshal(m)
- ctx.Header().Set("Content-Type", "application/json")
- ctx.WriteHeader(http.StatusOK)
- ctx.Write(bs)
- return
- }
- bs, err := json.Marshal(ctx.Result)
- if err != nil {
- ctx.Result = err
- var m = map[string]string{
- "err": err.Error(),
- }
- bs, _ = json.Marshal(m)
- }
- ctx.Header().Set("Content-Type", "application/json")
- ctx.WriteHeader(http.StatusOK)
- ctx.Write(bs)
- return
- } else if rt == XmlResponse {
- bs, err := xml.Marshal(ctx.Result)
- if err != nil {
- ctx.Result = err
- } else {
- ctx.Header().Set("Content-Type", "application/xml")
- ctx.WriteHeader(http.StatusOK)
- ctx.Write(bs)
- return
- }
- }
- switch res := ctx.Result.(type) {
- case AbortError:
- ctx.WriteHeader(res.Code())
- ctx.Write([]byte(res.Error()))
- case error:
- ctx.WriteHeader(http.StatusInternalServerError)
- ctx.Write([]byte(res.Error()))
- case []byte:
- ctx.WriteHeader(http.StatusOK)
- ctx.Write(res)
- case string:
- ctx.WriteHeader(http.StatusOK)
- ctx.Write([]byte(res))
- }
- }
|