return.go 2.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121
  1. package tango
  2. import (
  3. "encoding/json"
  4. "encoding/xml"
  5. "net/http"
  6. "reflect"
  7. )
  8. type ResponseType int
  9. const (
  10. AutoResponse = iota
  11. JsonResponse
  12. XmlResponse
  13. )
  14. type ResponseTyper interface {
  15. ResponseType() int
  16. }
  17. type Json struct {
  18. }
  19. func (Json) ResponseType() int {
  20. return JsonResponse
  21. }
  22. type Xml struct {
  23. }
  24. func (Xml) ResponseType() int {
  25. return XmlResponse
  26. }
  27. func isNil(a interface{}) bool {
  28. if a == nil {
  29. return true
  30. }
  31. aa := reflect.ValueOf(a)
  32. return !aa.IsValid() || (aa.Type().Kind() == reflect.Ptr && aa.IsNil())
  33. }
  34. func ReturnHandler(ctx *Context) {
  35. var rt int
  36. if action := ctx.Action(); action != nil {
  37. if i, ok := action.(ResponseTyper); ok {
  38. rt = i.ResponseType()
  39. }
  40. }
  41. ctx.Next()
  42. // if has been write, then return
  43. if ctx.Written() {
  44. return
  45. }
  46. if isNil(ctx.Result) {
  47. if ctx.Action() == nil {
  48. // if there is no action match
  49. ctx.Result = NotFound()
  50. } else {
  51. // there is an action but return nil, then we return blank page
  52. ctx.Result = ""
  53. }
  54. }
  55. if rt == JsonResponse {
  56. if e, ok := ctx.Result.(error); ok {
  57. var m = map[string]string{
  58. "err": e.Error(),
  59. }
  60. bs, _ := json.Marshal(m)
  61. ctx.Header().Set("Content-Type", "application/json")
  62. ctx.WriteHeader(http.StatusOK)
  63. ctx.Write(bs)
  64. return
  65. }
  66. bs, err := json.Marshal(ctx.Result)
  67. if err != nil {
  68. ctx.Result = err
  69. var m = map[string]string{
  70. "err": err.Error(),
  71. }
  72. bs, _ = json.Marshal(m)
  73. }
  74. ctx.Header().Set("Content-Type", "application/json")
  75. ctx.WriteHeader(http.StatusOK)
  76. ctx.Write(bs)
  77. return
  78. } else if rt == XmlResponse {
  79. bs, err := xml.Marshal(ctx.Result)
  80. if err != nil {
  81. ctx.Result = err
  82. } else {
  83. ctx.Header().Set("Content-Type", "application/xml")
  84. ctx.WriteHeader(http.StatusOK)
  85. ctx.Write(bs)
  86. return
  87. }
  88. }
  89. switch res := ctx.Result.(type) {
  90. case AbortError:
  91. ctx.WriteHeader(res.Code())
  92. ctx.Write([]byte(res.Error()))
  93. case error:
  94. ctx.WriteHeader(http.StatusInternalServerError)
  95. ctx.Write([]byte(res.Error()))
  96. case []byte:
  97. ctx.WriteHeader(http.StatusOK)
  98. ctx.Write(res)
  99. case string:
  100. ctx.WriteHeader(http.StatusOK)
  101. ctx.Write([]byte(res))
  102. }
  103. }