utils.go 20 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853
  1. package api
  2. import (
  3. "encoding/json"
  4. "fmt"
  5. "net/url"
  6. "regexp"
  7. "strconv"
  8. "strings"
  9. "time"
  10. "git.eugeniocarvalho.dev/eugeniucarvalho/apicodegen/api/errs"
  11. "github.com/davecgh/go-spew/spew"
  12. "github.com/eugeniucarvalho/validator"
  13. "github.com/kataras/iris/v12/context"
  14. "go.mongodb.org/mongo-driver/bson"
  15. "go.mongodb.org/mongo-driver/bson/primitive"
  16. "go.mongodb.org/mongo-driver/mongo"
  17. )
  18. var (
  19. AcceptJson = regexp.MustCompile("^application/json")
  20. Environment = map[string]interface{}{}
  21. ToReference = references{}
  22. )
  23. type references struct {
  24. }
  25. func (this *references) True() *bool {
  26. value := true
  27. return &value
  28. }
  29. func (this *references) False() *bool {
  30. value := false
  31. return &value
  32. }
  33. func (this *references) String(value string) *string {
  34. return &value
  35. }
  36. func (this *references) Bool(value bool) *bool {
  37. return &value
  38. }
  39. type ModeInterface interface {
  40. Mode() string
  41. }
  42. type PatchHistoryRegister struct {
  43. Id primitive.ObjectID `bson:"_id" json:"-"`
  44. CreatedAt int64 `bson:"createdAt" json:"-"`
  45. CreatedBy string `bson:"createdBy" json:"-"`
  46. Parent string `bson:"parent" json:"-"`
  47. ApiTags []string `bson:"apiTags" json:"-"`
  48. }
  49. type EntityModel struct {
  50. Mode string `bson:"-" json:"-"`
  51. ApplicationVersion *string `bson:"appVersion,omitempty" json:"-"`
  52. Deleted *bool `bson:"deleted,omitempty" json:"-"`
  53. DeletedIn *int64 `bson:"deletedIn,omitempty" json:"-"`
  54. }
  55. // type DotNotation struct {
  56. // Rules map[string]interface{} `bson:",inline" json:"-"`
  57. // }
  58. // func (model *DotNotation) DotNotation() map[string]interface{} {
  59. // if model.Rules == nil {
  60. // model.Rules = map[string]interface{}{}
  61. // }
  62. // return model.Rules
  63. // }
  64. func UserIDString(ctx context.Context) (id string, err *errs.Error) {
  65. if user, ok := ctx.Values().Get("$user.ref").(map[string]interface{}); ok {
  66. id = user["id"].(primitive.ObjectID).Hex()
  67. return
  68. }
  69. err = errs.Internal().Details(&errs.Detail{
  70. Message: "Invalid user instance",
  71. })
  72. return
  73. }
  74. func (model *EntityModel) SetMode(mode string) {
  75. model.Mode = mode
  76. switch mode {
  77. case "create":
  78. model.ApplicationVersion = &BuildVersion
  79. deleted := false
  80. model.Deleted = &deleted
  81. case "update":
  82. if model.Deleted == nil {
  83. deleted := false
  84. model.Deleted = &deleted
  85. }
  86. case "patch":
  87. // if model.Deleted == nil {
  88. // deleted := false
  89. // model.Deleted = &deleted
  90. // }
  91. // case "delete":
  92. // case "undelete":
  93. }
  94. }
  95. func GetIDString(input interface{}) (string, *errs.Error) {
  96. if value, converted := input.(string); converted {
  97. return value, nil
  98. }
  99. if value, converted := input.(*primitive.ObjectID); converted {
  100. return value.Hex(), nil
  101. }
  102. if value, converted := input.(primitive.ObjectID); converted {
  103. return value.Hex(), nil
  104. }
  105. return "", errs.Internal().Details(&errs.Detail{
  106. Reason: fmt.Sprintf("Can't convert ID into string. Invalid type '%T", input),
  107. })
  108. }
  109. func NowUnix() int64 {
  110. return time.Now().Unix()
  111. }
  112. func GetUser(ctx context.Context) interface{} {
  113. return ctx.Values().Get("$user.ref")
  114. }
  115. func (model *EntityModel) SetDeleted(deleted bool) {
  116. var deletedIn = int64(0)
  117. model.Deleted = &deleted
  118. if *model.Deleted {
  119. deletedIn = time.Now().Unix()
  120. }
  121. model.DeletedIn = &deletedIn
  122. }
  123. type CorsOptions struct {
  124. ExposeHeaders []string
  125. AllowHeaders []string
  126. AllowMethods []string
  127. AllowOrigin []string
  128. }
  129. type GetManyResponse struct {
  130. ResultSizeEstimate int `json:"resultSizeEstimate"` // Estimativa do numero total de itens.
  131. NextPageToken string `json:"nextPageToken"` // Referência para a proxima pagina de resultados.
  132. Itens interface{} `json:"itens"` // Lista contento os elementos da resposta.
  133. }
  134. var (
  135. // ParamsFlag map[string]*ParamFlag
  136. CorsDefaultOptions = CorsOptions{
  137. AllowOrigin: []string{"*"},
  138. // AllowOrigin: []string{"http://localhost:4200"},
  139. AllowMethods: []string{"OPTIONS", "GET", "POST", "PUT", "DELETE", "PATCH"},
  140. AllowHeaders: []string{"Authorization", "Content-Type", "Origin", "Host", "x-api-build"},
  141. ExposeHeaders: []string{"X-total-count"},
  142. }
  143. BuildVersion = "0"
  144. ApiVersion = "0"
  145. // Armazena os mimes dos arquivos consultados
  146. // MimeCache = xmap.NewMS2S()
  147. replaceEmpty = regexp.MustCompile(`\s+`)
  148. // pageTokenRegex = regexp.MustCompile(`(?P<ids>\w+):(?P<idc>\w+):(?P<page>\d{1,6})`)
  149. pageTokenRegex = regexp.MustCompile(`(?P<idc>[\w-]+):(?P<count>\d+)`)
  150. replaceIndex = regexp.MustCompile(`\.\d+\.`)
  151. )
  152. func init() {
  153. // fmt.Println("Register validation functions")
  154. // err := Validator.RegisterValidation("req", func(f validator.FieldLevel) bool {
  155. // fmt.Println("Running req validation")
  156. // spew.Dump(f)
  157. // return true
  158. // })
  159. validator.RegisterValidator("requiredOnCreate", func(i interface{}, o interface{}, v *validator.ValidatorOption) error {
  160. if schema, ok := o.(ModeInterface); ok {
  161. fmt.Println("requiredOnCreate ->", schema.Mode())
  162. switch schema.Mode() {
  163. case "create":
  164. if i == nil {
  165. return fmt.Errorf("")
  166. }
  167. case "update":
  168. }
  169. }
  170. return nil
  171. })
  172. // Validator.RegisterValidation("req",
  173. // func(fl validator.FieldLevel) bool {
  174. // // func(v *validator.Validate, topStruct reflect.Value, currentStructOrField reflect.Value, field reflect.Value, fieldType reflect.Type, fieldKind reflect.Kind, param string) bool {
  175. // // func(v *validator.Validate, param string) bool {
  176. // // return passwordRegex.MatchString(field.String())
  177. // })
  178. // if err != nil {
  179. // panic(err)
  180. // }
  181. }
  182. func Panic() {
  183. if err := recover(); err != nil {
  184. LogError(0, err.(error).Error())
  185. }
  186. }
  187. func Validate(i interface{}) *errs.Error {
  188. // if err := Validator.Struct(i); err != nil {
  189. // fmt.Println("VALIDATE", result, err)
  190. // spew.Dump(i)
  191. if errors, valid := validator.Struct(i); !valid {
  192. err := errs.InvalidArgument()
  193. // er := Error(ERR_INVALID_PARAM, "Invalid params")
  194. for _, e := range errors {
  195. err.Details(&errs.Detail{
  196. Dominio: "global",
  197. Reason: "invalidParameter",
  198. Message: e.Message,
  199. // Message: fmt.Sprintf("%+v", e.Message),
  200. // LocationType:,
  201. // Location :,
  202. })
  203. }
  204. // if _, ok := err.(*validator.InvalidValidationError); ok {
  205. // fmt.Println("INvalid")
  206. // er.LastDescription().Message = err.Error()
  207. // } else {
  208. // for _, err := range err.(validator.ValidationErrors) {
  209. // switch err.Tag() {
  210. // case "required":
  211. // }
  212. // er.Add(&ErrDescription{
  213. // Dominio: "global",
  214. // Reason: "invalidParameter",
  215. // Message: fmt.Sprintf("%+v", err),
  216. // // LocationType:,
  217. // // Location :,
  218. // })
  219. // // fmt.Println("1", err.Namespace())
  220. // // fmt.Println("2", err.Field())
  221. // // fmt.Println("3", err.StructNamespace()) // can differ when a custom TagNameFunc is registered or
  222. // // fmt.Println("4", err.StructField()) // by passing alt name to ReportError like below
  223. // // fmt.Println("5", err.Tag())
  224. // // fmt.Println("6", err.ActualTag())
  225. // // fmt.Println("7", err.Kind())
  226. // // fmt.Println("8", err.Type())
  227. // // fmt.Println("9", err.Value())
  228. // // fmt.Println("10", err.Param())
  229. // // fmt.Println("-------------")
  230. // }
  231. // }
  232. return err
  233. // from here you can create your own error messages in whatever language you wish
  234. }
  235. return nil
  236. }
  237. // ApiResponse é a estrutura padrão de respostas
  238. // Apenas os campos preenchidos serão retornados
  239. type ApiResponse struct {
  240. Entity interface{} `json:"entity,omitempty"`
  241. List interface{} `json:"list,omitempty"`
  242. NextPageToken string `json:"nextPageToken,omitempty"`
  243. ResultSizeEstimate int `json:"resultSizeEstimate,omitempty"`
  244. }
  245. // func ErroCtxHandler(ctx context.Context, err *errs.Error) {
  246. // if accept := ctx.GetHeader("Accept"); AcceptJson.Match([]byte(accept)) {
  247. // ctx.JSON(err)
  248. // } else {
  249. // ctx.ViewData("", err)
  250. // }
  251. // }
  252. func finalizeRequest(ctx context.Context, resp interface{}, err *errs.Error) {
  253. var (
  254. status = 200
  255. accept = ctx.Request().Header.Get("accept")
  256. types = strings.Split(accept, ",")
  257. )
  258. defer func() {
  259. ctx.StopExecution()
  260. if err != nil {
  261. ctx.Application().Logger().Error(err.Error())
  262. if description := err.LastDescription(); description != nil {
  263. err.Stack.Print()
  264. // ctx.Application().Logger().Error(fmt.Printf("%s\n%s\n", description.Reason, description.Message))
  265. }
  266. // ctx.Application().Logger().Error()
  267. spew.Dump(err)
  268. }
  269. fmt.Println("defer of finalizeRequest")
  270. if r := recover(); r != nil {
  271. fmt.Println("Recovered in f", r)
  272. }
  273. }()
  274. if err != nil {
  275. status = err.HttpStatus
  276. // fmt.Println(status, err.Message, "------------------------------------------\n")
  277. // spew.Dump(err)
  278. // debbug
  279. // err.Stack.Print()
  280. resp = err
  281. abortTransaction(ctx)
  282. // fmt.Println("------------------------------------------\n", status)
  283. // spew.Dump(err)
  284. // fmt.Println("------------------------------------------\n", status)
  285. }
  286. ctx.Values().Set("res", resp)
  287. ctx.Header("x-api-build", BuildVersion)
  288. // fmt.Println("error")
  289. // spew.Dump(resp)
  290. // spew.Dump(types)
  291. // spew.Dump(ctx.Request().Header)
  292. ctx.StatusCode(status)
  293. for _, mime := range types {
  294. switch mime {
  295. case "application/json":
  296. ctx.JSON(resp)
  297. return
  298. }
  299. }
  300. // default response case
  301. ctx.WriteString("")
  302. }
  303. // Call encapsula e trata os erros para cada requisição.
  304. func CallAction(id string, fn func(context.Context) (interface{}, *errs.Error)) func(context.Context) {
  305. return func(ctx context.Context) {
  306. var (
  307. err *errs.Error
  308. resp interface{}
  309. finalize = true
  310. )
  311. defer func() {
  312. if !ctx.IsStopped() {
  313. if _err := recover(); _err != nil {
  314. err = errs.Internal().Details(&errs.Detail{
  315. Message: "",
  316. Location: fmt.Sprintf("call.action.%s", id),
  317. LocationType: "application.pipe.resource.stage",
  318. Reason: _err.(error).Error(),
  319. })
  320. }
  321. if finalize {
  322. finalizeRequest(ctx, resp, err)
  323. }
  324. }
  325. }()
  326. fmt.Println("apply -> ", id)
  327. if resp, err = fn(ctx); err != nil {
  328. return
  329. }
  330. if !ctx.IsStopped() {
  331. if resp != nil {
  332. err = commitTransaction(ctx)
  333. } else {
  334. ctx.Next()
  335. finalize = false
  336. }
  337. }
  338. return
  339. }
  340. }
  341. func abortTransaction(ctx context.Context) (err *errs.Error) {
  342. return transactionHandler(ctx, "abort")
  343. }
  344. func commitTransaction(ctx context.Context) (err *errs.Error) {
  345. return transactionHandler(ctx, "commit")
  346. }
  347. func transactionHandler(ctx context.Context, action string) (err *errs.Error) {
  348. var (
  349. localErr error
  350. operation func() error
  351. )
  352. contextSession := GetSessionContext(ctx)
  353. if contextSession == nil {
  354. return
  355. }
  356. switch action {
  357. case "abort":
  358. operation = func() error { return contextSession.AbortTransaction(contextSession) }
  359. case "commit":
  360. operation = func() error { return contextSession.CommitTransaction(contextSession) }
  361. }
  362. try := 4
  363. for {
  364. if localErr = operation(); localErr == nil {
  365. fmt.Println(action, "executed ")
  366. return
  367. }
  368. if try == 0 {
  369. return
  370. }
  371. try--
  372. fmt.Println(action, "transaction error loop ")
  373. // time.Sleep(4 * time.Second)
  374. // retry operation when command contains TransientTransactionError
  375. // if cmdErr, ok := localErr.(mongo.CommandError); ok && cmdErr.HasErrorLabel("TransientTransactionError") {
  376. if cmdErr, ok := localErr.(mongo.CommandError); ok {
  377. fmt.Println(action, cmdErr)
  378. if cmdErr.HasErrorLabel("TransientTransactionError") {
  379. continue
  380. }
  381. }
  382. }
  383. if localErr != nil {
  384. err = errs.Internal().Details(&errs.Detail{
  385. Message: localErr.Error(),
  386. })
  387. }
  388. return
  389. }
  390. func ReadJson(ctx context.Context, entity interface{}) (err *errs.Error) {
  391. if err := ctx.ReadJSON(entity); err != nil {
  392. err = errs.DataCaps().Details(&errs.Detail{
  393. Message: err.Error(),
  394. })
  395. }
  396. return
  397. }
  398. func MgoSortBson(fields []string) *bson.M {
  399. order := bson.M{}
  400. for _, field := range fields {
  401. n := 1
  402. if field != "" {
  403. fmt.Printf("sort '%c'\n", field[0])
  404. switch field[0] {
  405. case '+':
  406. field = field[1:]
  407. case '-':
  408. n = -1
  409. field = field[1:]
  410. default:
  411. panic(fmt.Sprintf("Invalid sort field %s.", field))
  412. }
  413. }
  414. if field == "" {
  415. panic("Sort: empty field name")
  416. }
  417. field = string(replaceIndex.ReplaceAll([]byte(field), []byte(".")))
  418. order[field] = n
  419. }
  420. return &order
  421. }
  422. func MgoSort(ctx context.Context, field string) []string {
  423. result := []string{}
  424. if fields := Q(ctx, field, ""); fields != "" {
  425. sort := string(replaceEmpty.ReplaceAll([]byte(fields), []byte("")))
  426. result = strings.Split(sort, ",")
  427. }
  428. // return nil
  429. return result
  430. }
  431. func MgoFieldsCtx(ctx context.Context, field string) *bson.M {
  432. return MgoFields(Q(ctx, field, ""))
  433. }
  434. func MgoFields(fields string) (projection *bson.M) {
  435. // fmt.Printf("MgoFields '%s'\n", fields)
  436. if fields != "" {
  437. projection = &bson.M{}
  438. for _, v := range strings.Split(fields, ",") {
  439. (*projection)[v] = 1
  440. }
  441. // spew.Dump(projection)
  442. }
  443. return
  444. }
  445. func MgoQuery(ctx context.Context, field string) (*bson.M, *errs.Error) {
  446. return MgoQueryString(ctx, Q(ctx, field, ""))
  447. }
  448. func MgoQueryString(ctx context.Context, query string) (*bson.M, *errs.Error) {
  449. var (
  450. selector = make(bson.M)
  451. // id = "_id"
  452. err error
  453. )
  454. // Unmarshal json query if any
  455. if query != "" {
  456. if err = bson.UnmarshalExtJSON([]byte(query), true, &selector); err != nil {
  457. // return nil, Error(ERR_GENERAL, err.Error())
  458. return nil, errs.Internal().Details(&errs.Detail{
  459. Message: err.Error(),
  460. })
  461. }
  462. if query, err = url.QueryUnescape(query); err != nil {
  463. return nil, errs.Internal().Details(&errs.Detail{
  464. Message: err.Error(),
  465. })
  466. // return nil, Error(ERR_GENERAL, err.Error())
  467. }
  468. if err = json.Unmarshal([]byte(query), &selector); err != nil {
  469. // return nil, Error(ERR_GENERAL, err.Error())
  470. return nil, errs.Internal().Details(&errs.Detail{
  471. Message: err.Error(),
  472. })
  473. }
  474. // if selector, err = mejson.Unmarshal(selector); err != nil {
  475. // return nil, Error(ERR_GENERAL, err.Error())
  476. // }
  477. }
  478. // Transform string HexId to ObjectIdHex
  479. // if selid, _ := selector[id].(string); selid != "" {
  480. // if bson.IsObjectIdHex(selid) {
  481. // selector[id] = bson.ObjectIdHex(selid)
  482. // }
  483. // // else {
  484. // // selector[id] = selid
  485. // // }
  486. // }
  487. return &selector, nil
  488. }
  489. func DefaultCorsHandler() func(ctx context.Context) {
  490. return Cors(CorsDefaultOptions)
  491. }
  492. func Cors(opt CorsOptions) func(ctx context.Context) {
  493. return func(ctx context.Context) {
  494. ctx.Header("Access-Control-Allow-Credentials", "true")
  495. if len(opt.AllowOrigin) > 0 {
  496. // ctx.Header("Access-Control-Allow-Origin", strings.Join(opt.AllowOrigin, ","))
  497. // ctx.Header("Access-Control-Allow-Origin", "*")
  498. // ctx.Header("Origin", "*")
  499. ctx.Header("Access-Control-Allow-Origin", ctx.GetHeader("Origin"))
  500. }
  501. if len(opt.AllowMethods) > 0 {
  502. ctx.Header("Access-Control-Allow-Methods", strings.Join(opt.AllowMethods, ","))
  503. }
  504. if len(opt.AllowHeaders) > 0 {
  505. ctx.Header("Access-Control-Allow-Headers", strings.Join(opt.AllowHeaders, ","))
  506. }
  507. if len(opt.ExposeHeaders) > 0 {
  508. ctx.Header("Access-Control-Expose-Headers", strings.Join(opt.ExposeHeaders, ","))
  509. }
  510. ctx.Next()
  511. }
  512. }
  513. // Retorna um valor de um parametro no path da url.
  514. func P(ctx context.Context, name string, def string) string {
  515. val := ctx.Params().Get(name)
  516. if val == "" {
  517. val = def
  518. }
  519. return val
  520. }
  521. //Retorna um valor de um parametro da query. Ex: ?x=1
  522. func Q(ctx context.Context, name string, def string) string {
  523. val := ctx.URLParam(name)
  524. if val == "" {
  525. val = def
  526. }
  527. return val
  528. }
  529. //Retorna um valor de um parametro da query
  530. func QInt(ctx context.Context, name string, def int) int {
  531. val, e := strconv.Atoi(Q(ctx, name, ""))
  532. if e != nil {
  533. val = def
  534. }
  535. return val
  536. }
  537. // Retorna um valor de um parametro do post.
  538. func F(ctx context.Context, name string, def interface{}) interface{} {
  539. var val interface{}
  540. val = ctx.FormValue(name)
  541. if val == "" {
  542. val = def
  543. }
  544. return val
  545. }
  546. func LogError(code int, m string) {
  547. log("31", fmt.Sprintf("[ERROR| %d] %s", code, m))
  548. }
  549. func LogInfo(code int, m string) {
  550. log("34", fmt.Sprintf("[INFO| %d] %s", code, m))
  551. }
  552. func LogWarning(code int, m string) {
  553. log("35", fmt.Sprintf("[WARNING| %d] %s", code, m))
  554. }
  555. func log(color string, m string) {
  556. fmt.Printf("\x1b[%s;1m%s\x1b[0m\n", color, m)
  557. }
  558. // func ParseRequestTest(ctx context.Context) {
  559. // var (
  560. // err error
  561. // filter = &Filter{
  562. // MaxResults: QInt(ctx, "maxResults", 10),
  563. // }
  564. // oid primitive.ObjectID
  565. // )
  566. // // parse parameter of path
  567. // id := P(ctx, "userId", "")
  568. // if oid, err = primitive.ObjectIDFromHex(id); err != nil {
  569. // filter.UserId = oid
  570. // }
  571. // id = P(ctx, "id", "")
  572. // if oid, err = primitive.ObjectIDFromHex(id); err != nil {
  573. // filter.Id = oid
  574. // }
  575. // // filter.PageToken.Parse(Q(ctx, "nextPageToken", ""))
  576. // if filter.Query, err = MgoQuery(ctx, "q"); err != nil {
  577. // goto Error
  578. // }
  579. // filter.Format = Q(ctx, "format", "full")
  580. // filter.Sort = MgoSortBson(MgoSort(ctx, "sort"))
  581. // filter.Fields = MgoFieldsCtx(ctx, "fields")
  582. // Error:
  583. // if err != nil {
  584. // ErroCtxHandler(
  585. // ctx,
  586. // // Error(ERR_INVALID_PARAM, err.Error()),
  587. // errs.Internal().Details(&errs.Detail{
  588. // Message: err.Error(),
  589. // }),
  590. // )
  591. // return
  592. // }
  593. // ctx.Values().Set("$filter", filter)
  594. // ctx.Next()
  595. // }
  596. // func MapError(erro *errs.Error) *errs.Error {
  597. // if strings.Contains(erro.Message, "E11000") {
  598. // return errs.AlreadyExists().Details(&errs.Detail{
  599. // Message: "DUPLICATED_ITEM",
  600. // })
  601. // } else if strings.Contains(erro.Message, "no documents in result") {
  602. // return errs.Internal().Details(&errs.Detail{
  603. // Message: "NOT_FOUND",
  604. // })
  605. // }
  606. // return erro
  607. // }
  608. // type PageToken struct {
  609. // // StartID string
  610. // // CurrentID string
  611. // Cursor string
  612. // NewCursor string
  613. // Page int
  614. // Count int
  615. // }
  616. // // Encode cria um novo token formatado
  617. // func (p *PageToken) Encode() string {
  618. // out := ""
  619. // if p.NewCursor != "" {
  620. // out = base64.StdEncoding.EncodeToString([]byte(fmt.Sprintf("%s:%d", p.NewCursor, p.Count)))
  621. // }
  622. // return out
  623. // // return string([]byte(fmt.Sprintf("%s:%d", p.NewCursor, p.Count)))
  624. // }
  625. // // HasToken determina se a requisição apresenta um token de paginacao
  626. // func (p *PageToken) HasToken() bool {
  627. // return p.Cursor != ""
  628. // }
  629. // // func (p *PageToken) GetBsonID() bson.ObjectId {
  630. // // if !bson.IsObjectIdHex(p.ID) {
  631. // // return nil
  632. // // }
  633. // // return bson.ObjectIdHex(p.ID)
  634. // // }
  635. // func (p *PageToken) Parse(s string) error {
  636. // var (
  637. // decoded []byte
  638. // err error
  639. // )
  640. // if decoded, err = base64.StdEncoding.DecodeString(s); err != nil {
  641. // return err
  642. // }
  643. // match := pageTokenRegex.FindStringSubmatch(string(decoded))
  644. // if len(match) != 3 {
  645. // return fmt.Errorf("Invalid Page Token")
  646. // }
  647. // p.Cursor = match[1]
  648. // // p.Page, err = strconv.Atoi(match[2])
  649. // p.Count, err = strconv.Atoi(match[2])
  650. // return err
  651. // }
  652. // Layout aplica o path do layout
  653. // func Layout(ctx context.Context) {
  654. // ctx.ViewLayout(ViewScript(ctx, "layout/layout.html"))
  655. // ctx.Next()
  656. // }
  657. // // ViewScript devolve o path do arquivo de script a ser renderizaco
  658. // func ViewScript(ctx context.Context, filename string) string {
  659. // var (
  660. // base string
  661. // ok bool
  662. // )
  663. // domain := strings.Split(ctx.Request().Host, ":")[0]
  664. // if base, ok = TemplateDomainMap[domain]; !ok {
  665. // base = "default"
  666. // }
  667. // return base + "/" + filename
  668. // }
  669. // defer func() {
  670. // var (
  671. // erro *errs.Error
  672. // // ok bool
  673. // err error
  674. // )
  675. // if err = recover(); err != nil {
  676. // if erro, ok = err.(*errs.Error); !ok {
  677. // erro = Error(ERR_GENERAL, err.Error())
  678. // }
  679. // ErroCtxHandler(ctx, erro)
  680. // }
  681. // // ctx.Header("Accept", "application/json")
  682. // // spew.Dump(err)
  683. // }()
  684. // func CallAction(f func(context.Context, *ApiResponse) *errs.Error) func(ctx context.Context) {
  685. // return func(ctx context.Context) {
  686. // var (
  687. // err *errs.Error
  688. // response = &ApiResponse{}
  689. // )
  690. // if err = f(ctx, response); err != nil {
  691. // ErroCtxHandler(ctx, err)
  692. // return
  693. // }
  694. // ctx.JSON(response)
  695. // }
  696. // }
  697. // Verifica se existe alguma pagina para ser carragada.
  698. // func UpdateCursorResponse(models *Mongo, f *Filter, resp interface{}) bool {
  699. // count := f.PageToken.Count
  700. // // Se não foi encontrado nenhum registro
  701. // if count > 0 {
  702. // resp.ResultSizeEstimate = count
  703. // resp.NextPageToken = f.PageToken.Encode()
  704. // return true
  705. // }
  706. // return false
  707. // }