学习gin-vue-admin之创建api和swagger

文章目录

        • go:generate
        • Viper 读写配置文件
        • ZAP 保存日志
        • 定时任务
        • 创建api
          • model
          • 步骤 1. 创建service
          • 步骤 2. 创建api
          • 步骤 3. 创建router
        • 初始化总路由
        • 启动
        • go-swagger
          • 路由配置
          • swag init
        • test
        • 将嵌套结构定义为指针或对象利弊
        • 结构体嵌套
        • 学习资源

go:generate

//go:generate go env -w GO111MODULE=on
//go:generate go env -w GOPROXY=https://goproxy.cn,direct
//go:generate go mod tidy
//go:generate go mod download

Viper 读写配置文件
      v := viper.New()v.SetConfigFile("config.yaml")v.SetConfigType("yaml")err := v.ReadInConfig()if err != nil {panic(fmt.Errorf("Fatal error config file: %s \n", err))}if err = v.Unmarshal(&global.GVA_CONFIG); err != nil {fmt.Println(err)}cs := utils.StructToMap(global.GVA_CONFIG)for k, v2 := range cs {v.Set(k, v2)}v.WriteConfig()
ZAP 保存日志

global.GVA_LOG.Error(“获取失败!”, zap.Error(errors.New(“====”)))
global.GVA_LOG.Info("server run success on ", zap.String(“address”, address))

定时任务
    tm := timer.NewTimerTask()_, err := tm.AddTaskByFunc("func", "@every 1s", mockFunc)if err == nil {tm.StartTask("func")println("StartTask=func")}
创建api

model
api 需要调用的api
router 路由
service 业务代码

model

type Userinfo struct {Name string `uri:"name" form:"name" json:"name"`Pwd  string `uri:"pwd" form:"pwd" json:"pwd"`
}
type UserinfoResponse struct {Userinfo example.Userinfo `json:"userinfo"`Token    string           `json:"token"`
}
步骤 1. 创建service
  1. example/exa_api.go
type ExaApiService struct {
}var ExaApiServiceApp = new(ExaApiService)func (exaApi *ExaApiService) Login(u example.Userinfo) string {return fmt.Sprintf("Login2=name=%s password=%s", u.Name, u.Pwd)
}func (exaApi *ExaApiService) GetUserInfo(u example.Userinfo) string {return fmt.Sprintf("GetUserInfo2=name=%s password=%s", u.Name, u.Pwd)
}
  1. example/enter.go

type ServiceGroup struct {ExaApiService
}
  1. enter.go
 type ServiceGroup struct {ExaServiceGroup example.ServiceGroup
}var ServiceGroupApp = new(ServiceGroup)
步骤 2. 创建api
  1. example/exa_api.go
package exampleimport ("github.com/gin-gonic/gin""github.com/githubuityu/study_gin_admin/model/common/response""github.com/githubuityu/study_gin_admin/model/example"
)type ExaApi struct {
}// Login /*
// http://127.0.0.1:8888/exaApi/login
// application/x-www-form-urlencoded或者form-data
func (e *ExaApi) Login(c *gin.Context) {var userinfo example.Userinfoerr := c.ShouldBind(&userinfo)if err != nil {response.FailWithMessage(err.Error(), c)return}response.OkWithMessage(exaApi.Login(userinfo), c)
}// http://127.0.0.1:8888/exaApi/getUserInfo?name=zhangsan&pwd=6666
func (e *ExaApi) GetUserInfo(c *gin.Context) {var userinfo example.Userinfoerr := c.ShouldBind(&userinfo)if err != nil {response.FailWithMessage(err.Error(), c)return}response.OkWithMessage(exaApi.GetUserInfo(userinfo), c)
}// http://127.0.0.1:8888/exaApi/login
//
//	raw {
//	   "name":"zhangsan",
//	   "pwd":"23333"
//	}
func (e *ExaApi) LoginJson(c *gin.Context) {var userinfo example.Userinfoerr := c.ShouldBindJSON(&userinfo)if err != nil {response.FailWithMessage(err.Error(), c)return}response.OkWithMessage(exaApi.Login(userinfo), c)
}// http://127.0.0.1:8888/exaApi/getUserInfoPath/zhangsan/555
func (e *ExaApi) GetUserInfoPath(c *gin.Context) {var userinfo example.Userinfoerr := c.ShouldBindUri(&userinfo)if err != nil {response.FailWithMessage(err.Error(), c)return}response.OkWithMessage(exaApi.GetUserInfo(userinfo), c)
}
  1. example/enter.go

type ApiGroup struct {ExaApi
}var (exaApi = service.ServiceGroupApp.ExaServiceGroup.ExaApiService
)
  1. enter.go
 type ApiGroup struct {ExaApiGroup example.ApiGroup}var ApiGroupApp = new(ApiGroup)
步骤 3. 创建router
  1. example/exa_api.go
type ExaAPi struct {
}func (e *ExaAPi) InitExaAPiRouter(Router *gin.RouterGroup) {exaApiRouter := Router.Group("exaApi").Use(middleware.ExaMiddleware())exaApiRouterWithoutRecord := Router.Group("exaApi")exaApi := v1.ApiGroupApp.ExaApiGroup{exaApiRouter.POST("login", exaApi.Login)        exaApiRouter.POST("loginJson", exaApi.LoginJson) }{exaApiRouterWithoutRecord.GET("getUserInfo", exaApi.GetUserInfo)                  exaApiRouterWithoutRecord.GET("getUserInfoPath/:name/:pwd", exaApi.GetUserInfoPath) }
}
  1. example/enter.go

type RouterGroup struct {ExaAPi
}
  1. enter.go
type RouterGroup struct {ExaApi example.RouterGroup
}var RouterGroupApp = new(RouterGroup)
初始化总路由

func Routers() *gin.Engine {// 设置为发布模式if global.GVA_CONFIG.System.Env == "public" {gin.SetMode(gin.ReleaseMode) //DebugMode ReleaseMode TestMode}Router := gin.New()exaApiRouter := router.RouterGroupApp.ExaApi//PrivateGroup := Router.Group(global.GVA_CONFIG.System.RouterPrefix)PublicGroup := Router.Group(global.GVA_CONFIG.System.RouterPrefix){// 健康监测PublicGroup.GET("/health", func(c *gin.Context) {c.JSON(http.StatusOK, "ok")})}exaApiRouter.InitExaAPiRouter(PublicGroup)global.GVA_LOG.Info("router register success")return Router
}
启动

package mainimport ("fmt""github.com/githubuityu/study_gin_admin/core""github.com/githubuityu/study_gin_admin/global""github.com/githubuityu/study_gin_admin/initialize""go.uber.org/zap""time"
)//go:generate go env -w GO111MODULE=on
//go:generate go env -w GOPROXY=https://goproxy.cn,direct
//go:generate go mod tidy
//go:generate go mod download
func main() {global.GVA_VP = core.Viper() // 初始化Viperinitialize.OtherInit()global.GVA_LOG = core.Zap() // 初始化zap日志库zap.ReplaceGlobals(global.GVA_LOG)global.GVA_DB = initialize.Gorm() // gorm连接数据库initialize.Timer()core.RunWindowsServer()}
go-swagger

参数类型 query、path、body、header,formData
参数参数类型 string integer number boolean struct

// Login
// @Summary  用户登录
// @Tags     ExaApi
// @Produce   application/json
// @Param name formData string false "名字"
// @Param pwd formData string false "密码" 
// @Success  200   {object}  response.Response{data=exaApiRes.UserinfoResponse,msg=string}  "返回包括用户信息,token,过期时间"
// @Router   /exaApi/login [post]
func (e *ExaApi) Login(c *gin.Context) {var userinfo example.Userinfoerr := c.ShouldBind(&userinfo)if err != nil {response.FailWithMessage(err.Error(), c)return}response.OkWithDetailed(exaApiRes.UserinfoResponse{Userinfo: userinfo,Token:    userinfo.Pwd,}, "登录成功", c)
}
路由配置
 docs.SwaggerInfo.BasePath = global.GVA_CONFIG.System.RouterPrefix
Router.GET(global.GVA_CONFIG.System.RouterPrefix+"/swagger/*any", ginSwagger.WrapHandler(swaggerFiles.Handler))
swag init
test
  1. 创建一个a.go
  2. 创建一个测试文件a_test.go
  3. 创建一个方法方法名以Test开始,参数为(t *testing.T)
//a.go
package utilstype TestA struct {TestB
}type TestB struct {
}func (tb *TestB) GetInfo() string {return "返回数据"
}var ItyuTestA = new(TestA)package utils//a_test.go
import "testing"func TestAaaa(t *testing.T) {print(ItyuTestA.TestB.GetInfo())
}
将嵌套结构定义为指针或对象利弊
  1. 将嵌套结构定义为指针:
    内存效率:使用指针可以提高内存效率,特别是当嵌套结构体很大时。指针只存储结构体的内存地址,而不是复制整个结构体的数据。
    可变性:如果你需要修改父结构中的嵌套结构的数据,使用指针允许你直接修改被引用的对象。
    避免nil值:如果嵌套结构可能有nil值,使用指针可以通过将指针设置为nil来表示值的缺失。

  2. 将嵌套结构定义为对象:
    简单性:直接使用对象可以简化代码,因为不需要处理指针解引用。它可以使代码更易于阅读和理解。
    避免与指针相关的问题:操作指针需要小心处理,以避免空指针异常和内存泄漏。使用对象可以帮助避免此类问题。
    不可变性:如果嵌套结构的数据在父结构中应该被视为不可变的,那么使用对象可以强制这种不可变性并防止无意的修改。

  3. 最终,对嵌套结构使用指针还是对象的选择取决于性能、可变性要求、内存使用和代码简单性等因素。考虑应用程序的具体需求,并根据这些需求做出决定。

结构体嵌套

结构体嵌套在编程中有多种作用和用途,以下是一些常见的用途:

  1. 组合数据:结构体嵌套允许将多个相关的数据字段组合在一起,形成更复杂的数据结构。通过嵌套其他结构体,可以在一个结构体中包含其他结构体的数据,从而形成逻辑上的组合关系。

  2. 嵌套层次:通过结构体嵌套,可以创建多层次的数据结构,形成树状或层次化的关系。这样可以更好地组织和管理数据,使其更具可读性和可维护性。

  3. 代码复用:结构体嵌套可以实现代码的复用。通过将一个结构体嵌套到另一个结构体中,可以共享嵌套结构体的字段和方法,避免重复定义和编写相同的代码。

  4. 组合功能:通过将一个结构体嵌套到另一个结构体中,可以将嵌套结构体的方法和行为组合到外部结构体中,形成更丰富的功能。外部结构体可以调用嵌套结构体的方法,实现更复杂的行为。

  5. 数据模型:结构体嵌套可以用于定义和表示复杂的数据模型。通过将多个相关的数据结构嵌套在一起,可以更好地表示现实世界的实体和关系。

  6. 总的来说,结构体嵌套提供了一种组合和组织数据的机制,可以使代码更具可读性、可维护性和复用性。它是构建复杂数据结构和实现代码组合的重要工具之一。

学习资源

gin-vue-admin

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/110810.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

​iOS上架App Store的全攻略

第一步:申请开发者账号 在开始将应用上架到App Store之前,你需要申请一个开发者账号。 1.1 打开苹果开发者中心网站:Apple Developer 1.2 使用Apple ID和密码登录(如果没有账号则需要注册),要确保使用与公…

瑞芯微RKNN开发·yolov5

官方预训练模型转换 下载yolov5-v6.0分支源码解压到本地,并配置基础运行环境。下载官方预训练模型 yolov5n.ptyolov5s.ptyolov5m.pt… 进入yolov5-6.0目录下,新建文件夹weights,并将步骤2中下载的权重文件放进去。修改models/yolo.py文件 …

指定类的debug日志输出到指定日志中

可在 log4j.properties 中添加以下内容,指定hadoop的TaskTracker类的debug日志单独输出TaskTracker. log 中 # 定义输出方式为自定义的 TTOUT log4j.logger.org.apache.hadoop.mapred.TaskTrackerDEBUG,TTOUT # 设置 TTOUT的输出方式为输出到文件 log4j.appender.…

Jackson 工具类

Jackson 工具类 示例代码中包含 Date LocalDate LocalDateTime 类型处理方式 JavaBean 与 json 相互转换 bean2json json2bean List 与 json 相互转换 list2json json2list Map 与 json 相互转换map2json json2map pom.xml <project xmlns"http://maven.apache.org/PO…

提高编程效率-Vscode实用指南

您是否知道全球73%的开发人员依赖同一个代码编辑器&#xff1f; 是的&#xff0c;2023 年 Stack Overflow 开发者调查结果已出炉&#xff0c;Visual Studio Code 迄今为止再次排名第一最常用的开发环境。 “Visual Studio Code 仍然是所有开发人员的首选 IDE&#xff0c;与专业…

eBay类目限制要多久?eBay促销活动有哪些?-站斧浏览器

eBay类目限制要多久&#xff1f; 1、eBay对不同类目的商品有不同的限制和要求。一些类目可能对新卖家有一定的限制&#xff0c;限制他们在该类目下销售商品的数量或需要满足某些条件才能进行销售。 2、对于新卖家的限制通常是在一定时间内&#xff0c;比如30天或90天&#xf…

(转)STR 内核做了什么

参考这篇文章&#xff1a; Linux电源管理(6)_Generic PM之Suspend功能 写的很清晰

微信小程序一键获取位置

需求 有个表单需要一键获取对应位置 并显示出来效果如下&#xff1a; 点击一键获取获取对应位置 显示在 picker 默认选中 前端 代码如下: <view class"box_7 {{ showChange1? change-style: }}"><view class"box_11"><view class"…

Stable Diffusion WebUI报错RuntimeError: Torch is not able to use GPU解决办法

新手在安装玩Stable Diffusion WebUI之后会遇到各种问题&#xff0c; 接下来会慢慢和你讲解如何解决这些问题。 在我们打开Stable Diffusion WebUI时会报错如下&#xff1a; RuntimeError: Torch is not able to use GPU&#xff1b;add --skip-torch-cuda-test to COMMANDL…

SQL题目记录

1.商品推荐题目 1.思路&#xff1a; 通过取差集 得出要推荐的商品差集的选取&#xff1a;except直接取差集 或者a left join b on where b null 2.知识点 1.except selectfriendship_info.user1_id as user_id,sku_id fromfriendship_infojoin favor_info on friendship_in…

腾讯大数据 x StarRocks|构建新一代实时湖仓

2023 年 9 月 26 日&#xff0c;腾讯大数据团队与 StarRocks 社区携手举办了一场名为“构建新一代实时湖仓”的盛大活动。活动聚集了来自腾讯大数据、腾讯视频、腾讯游戏、同程旅行以及 StarRocks 社区的技术专家&#xff0c;共同深入探讨了湖仓一体技术以及其应用实践等多个备…

vue3脚手架搭建

一.安装 vue3.0 脚手架 如果之前安装了2.0的脚手架&#xff0c;要先卸载掉&#xff0c;输入&#xff1a; npm uninstall vue-cli -g 进行全局卸载 1.安装node.js&#xff08;npm&#xff09; node.js&#xff1a;简单的说 Node.js 就是运行在服务端的 JavaScript。Node.js 是…

PCA降维

定义 主成分分析&#xff08;PCA&#xff09;是常用的线性数据降维技术&#xff0c;采用一种数学降维的方法&#xff0c;在损失很少信息的前提下&#xff0c;找出几个综合变量作为主成分&#xff0c;来代替原来众多的变量&#xff0c;使这些主成分能够尽可能地代表原始数据的信…

Android 13.0 系统开机屏幕设置默认横屏显示

1.概述 在13.0的系统产品开发中,对于产品需求来说,由于是宽屏设备所以产品需要开机默认横屏显示,开机横屏显示这就需要从 两部分来实现,一部分是系统开机动画横屏显示,另一部分是系统屏幕显示横屏显示,从这两方面就可以做到开机默认横屏显示了 2.系统开机设置默认横屏显…

【C++笔记】模板进阶

【C笔记】模板进阶 一、非类型模板参数二、类模板的特化三、模板的分离编译 一、非类型模板参数 我们之前学过的模板虽然能很好地帮我们实现泛型编程&#xff0c;比如我们可以让一个栈存储int类型的数据&#xff0c;一个栈存储double类型的数据&#xff1a; template <cla…

OpenCV14-图像平滑:线性滤波和非线性滤波

OpenCV14-图像平滑&#xff1a;线性滤波和非线性滤波 1.图像滤波2.线性滤波2.1均值滤波2.2方框滤波2.3高斯滤波2.4可分离滤波 3.非线性滤波3.1中值滤波3.2双边滤波 1.图像滤波 图像滤波是指去除图像中不重要的内容&#xff0c;而使关心的内容表现得更加清晰的方法&#xff0c;…

【MultiOTP】在Linux上使用MultiOTP进行SSH登录

在前面的文章中【FreeRADIUS】使用FreeRADIUS进行SSH身份验证已经了解过如何通过Radius去来实现SSH和SUDO的登录&#xff0c;在接下来的文章中只是将密码从【LDAP PASSWORD Googlt OTP】改成了【MultiOTP】生成的passcode&#xff0c;不在需要密码&#xff0c;只需要OTP去登录…

大鼠药代动力学(PK参数/ADME)+毒性 实验结果分析

在真实做实验的时候&#xff0c;出现了下面真实测试的一些参数&#xff0c;一起学习一下&#xff1a; 大鼠药代动力学&#xff1a; 为了进一步了解化合物 96 的药代动力学性质&#xff0c;我们选择化合物 500 进行 SD大鼠药代动力学评估。 经静脉注射和口服给药后观察大鼠血药…

广东广西大量工地建筑支模

近年来&#xff0c;广东广西地区的建筑工地发展迅猛&#xff0c;为满足日益增长的建筑需求&#xff0c;大量工地都需要使用支模模板。支模模板是建筑施工中不可或缺的重要工具&#xff0c;用于搭建楼层、梁柱等结构的模板系统。在广东广西&#xff0c;有许多专业的支模模板厂家…

TCP/IP(二十一)TCP 实战抓包分析(五)TCP 第三次握手 ACK 丢包

一 实验三&#xff1a;TCP 第三次握手 ACK 丢包 第三次握手丢失了,会发生什么? 注意: ACK 报文是不会有重传的,当 ACK 丢失了,就由对方重传对应的报文 ① 实验环境 ② 模拟方式 1、 服务端配置防火墙iptables -t filter -I INPUT -s 172.25.2.157 -p tcp --tcp-flag ACK…