news 2026/4/16 13:28:35

Gin源码解析

作者头像

张小明

前端开发工程师

1.2k 24
文章封面图
Gin源码解析

结构

Engine
RouterGroup
HandlersChain
Context

Engine的结构为

typeEnginestruct{RouterGroup routeTreesUpdated sync.Once RedirectTrailingSlashboolRedirectFixedPathboolHandleMethodNotAllowedboolForwardedByClientIPboolAppEngineboolUseRawPathboolUseEscapedPathboolUnescapePathValuesboolRemoveExtraSlashboolRemoteIPHeaders[]stringTrustedPlatformstringMaxMultipartMemoryint64UseH2CboolContextWithFallbackbooldelims render.Delims secureJSONPrefixstringHTMLRender render.HTMLRender FuncMap template.FuncMap allNoRoute HandlersChain allNoMethod HandlersChain noRoute HandlersChain noMethod HandlersChain pool sync.Pool trees methodTrees maxParamsuint16maxSectionsuint16trustedProxies[]stringtrustedCIDRs[]*net.IPNet}

allNoRoute:没有找到路由时的处理链
allNoMethod:方法没有找到时的处理链
RouterGroup结构为

typeRouterGroupstruct{Handlers HandlersChain basePathstringengine*Engine rootbool}

HandlersChain为函数切片

typeHandlerFuncfunc(*Context)typeHandlersChain[]HandlerFunc

Context为处理中的关键数据结构

typeContextstruct{writermem responseWriter Request*http.Request Writer ResponseWriter Params Params handlers HandlersChain indexint8fullPathstringengine*Engine params*Params skippedNodes*[]skippedNode// This mutex protects Keys map.mu sync.RWMutex// Keys is a key/value pair exclusively for the context of each request.Keysmap[any]any// Errors is a list of errors attached to all the handlers/middlewares who used this context.Errors errorMsgs// Accepted defines a list of manually accepted formats for content negotiation.Accepted[]string// queryCache caches the query result from c.Request.URL.Query().queryCache url.Values// formCache caches c.Request.PostForm, which contains the parsed form data from POST, PATCH,// or PUT body parameters.formCache url.Values// SameSite allows a server to define a cookie attribute making it impossible for// the browser to send this cookie along with cross-site requests.sameSite http.SameSite}

创建

创建Engine是通过Default方法

  • 先使用New()创建Engine
  • 使用OptionFunc函数来配置Engine
funcDefault(opts...OptionFunc)*Engine{debugPrintWARNINGDefault()engine:=New()engine.Use(Logger(),Recovery())returnengine.With(opts...)}funcNew(opts...OptionFunc)*Engine{debugPrintWARNINGNew()engine:=&Engine{RouterGroup:RouterGroup{Handlers:nil,basePath:"/",root:true,},FuncMap:template.FuncMap{},RedirectTrailingSlash:true,RedirectFixedPath:false,HandleMethodNotAllowed:false,ForwardedByClientIP:true,RemoteIPHeaders:[]string{"X-Forwarded-For","X-Real-IP"},TrustedPlatform:defaultPlatform,UseRawPath:false,UseEscapedPath:false,RemoveExtraSlash:false,UnescapePathValues:true,MaxMultipartMemory:defaultMultipartMemory,trees:make(methodTrees,0,9),delims:render.Delims{Left:"{{",Right:"}}"},secureJSONPrefix:"while(1);",trustedProxies:[]string{"0.0.0.0/0","::/0"},trustedCIDRs:defaultTrustedCIDRs,}engine.engine=engine engine.pool.New=func()any{returnengine.allocateContext(engine.maxParams)}returnengine.With(opts...)}func(engine*Engine)With(opts...OptionFunc)*Engine{for_,opt:=rangeopts{opt(engine)}returnengine}

OptionFunc为函数别名

typeOptionFuncfunc(*Engine)

运行

是通过Run来执行

  • 在没有指定地址信息时,读取环境变量PORT端口号,没有则默认使用端口号8080
  • 内部创建http.Server,handler为engine.Handler(),执行http.Server的方法ListenAndServe,其中Engine是实现了http.Handler接口
func(engine*Engine)Run(addr...string)(errerror){deferfunc(){debugPrintError(err)}()ifengine.isUnsafeTrustedProxies(){debugPrint("[WARNING] You trusted all proxies, this is NOT safe. We recommend you to set a value.\n"+"Please check https://github.com/gin-gonic/gin/blob/master/docs/doc.md#dont-trust-all-proxies for details.")}engine.updateRouteTrees()address:=resolveAddress(addr)debugPrint("Listening and serving HTTP on %s\n",address)server:=&http.Server{// #nosec G112Addr:address,Handler:engine.Handler(),}err=server.ListenAndServe()return}

Engine实现了http.Handler接口方法ServeHTTP,内部调用handleHTTPRequest,根据请求方法和请求url,找到对应的HandlersChain,执行Context的Next()方法,遍历处理链执行处理

func(engine*Engine)ServeHTTP(w http.ResponseWriter,req*http.Request){engine.routeTreesUpdated.Do(func(){engine.updateRouteTrees()})c:=engine.pool.Get().(*Context)c.writermem.reset(w)c.Request=req c.reset()engine.handleHTTPRequest(c)engine.pool.Put(c)}func(engine*Engine)handleHTTPRequest(c*Context){httpMethod:=c.Request.Method rPath:=c.Request.URL.Path unescape:=falseifengine.UseEscapedPath{rPath=c.Request.URL.EscapedPath()unescape=engine.UnescapePathValues}elseifengine.UseRawPath&&len(c.Request.URL.RawPath)>0{rPath=c.Request.URL.RawPath unescape=engine.UnescapePathValues}ifengine.RemoveExtraSlash{rPath=cleanPath(rPath)}// Find root of the tree for the given HTTP methodt:=engine.treesfori,tl:=0,len(t);i<tl;i++{ift[i].method!=httpMethod{continue}root:=t[i].root// Find route in treevalue:=root.getValue(rPath,c.params,c.skippedNodes,unescape)ifvalue.params!=nil{c.Params=*value.params}ifvalue.handlers!=nil{c.handlers=value.handlers c.fullPath=value.fullPath c.Next()c.writermem.WriteHeaderNow()return}ifhttpMethod!=http.MethodConnect&&rPath!="/"{ifvalue.tsr&&engine.RedirectTrailingSlash{redirectTrailingSlash(c)return}ifengine.RedirectFixedPath&&redirectFixedPath(c,root,engine.RedirectFixedPath){return}}break}ifengine.HandleMethodNotAllowed&&len(t)>0{// According to RFC 7231 section 6.5.5, MUST generate an Allow header field in response// containing a list of the target resource's currently supported methods.allowed:=make([]string,0,len(t)-1)for_,tree:=rangeengine.trees{iftree.method==httpMethod{continue}ifvalue:=tree.root.getValue(rPath,nil,c.skippedNodes,unescape);value.handlers!=nil{allowed=append(allowed,tree.method)}}iflen(allowed)>0{c.handlers=engine.allNoMethod c.writermem.Header().Set("Allow",strings.Join(allowed,", "))serveError(c,http.StatusMethodNotAllowed,default405Body)return}}c.handlers=engine.allNoRouteserveError(c,http.StatusNotFound,default404Body)}func(c*Context)Next(){c.index++forc.index<safeInt8(len(c.handlers)){ifc.handlers[c.index]!=nil{c.handlers[c.index](c)}c.index++}}
版权声明: 本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若内容造成侵权/违法违规/事实不符,请联系邮箱:809451989@qq.com进行投诉反馈,一经查实,立即删除!
网站建设 2026/3/25 7:06:19

基于Simulink的BLDC关节方波控制与正弦波控制对比仿真

目录 手把手教你学Simulink--机器人基础关节控制场景实例&#xff1a;基于Simulink的BLDC关节方波控制与正弦波控制对比仿真 一、引言&#xff1a;为什么对比方波控制与正弦波控制&#xff1f;——BLDC关节的“成本-性能权衡” 二、核心原理&#xff1a;方波控制 vs 正弦波控…

作者头像 李华
网站建设 2026/4/16 11:56:28

Pinpoint告警分级终极指南:从预警到紧急响应的完整解决方案

Pinpoint告警分级终极指南&#xff1a;从预警到紧急响应的完整解决方案 【免费下载链接】pinpoint 项目地址: https://gitcode.com/gh_mirrors/pin/pinpoint 在当今复杂的分布式系统中&#xff0c;监控告警管理已成为运维工作的核心挑战。Pinpoint作为开源APM工具&…

作者头像 李华
网站建设 2026/4/7 18:35:40

.NET进阶——深入理解Lambda表达式(1)Lambda入门

一、Lambda 表达式的演变史&#xff1a;从 “繁” 到 “简” 的语法进化 Lambda 表达式不是凭空出现的&#xff0c;它是.NET 为了简化 “委托实例化” 写法而逐步优化的结果。我们以 “筛选整数列表中大于 5 的数” 为例&#xff0c;看完整的演变过程&#xff1a; 阶段 1&#…

作者头像 李华
网站建设 2026/4/16 12:05:34

9、Python编程:扑克骰子游戏与Kivy开发安卓游戏应用

Python编程:扑克骰子游戏与Kivy开发安卓游戏应用 扑克骰子游戏开发 在Python中开发扑克骰子游戏时,有几个关键的步骤和逻辑需要注意。 重新掷骰子的处理 当复选框未被选中时,对应的值会被设为0。为了确保正确地改变骰子,需要从列表中移除这些值为0的元素。通过 for 循…

作者头像 李华
网站建设 2026/4/16 12:43:31

15、Python编程:图像与即时通讯应用开发

Python编程:图像与即时通讯应用开发 1. Python图像处理基础 在Python中,我们可以使用SciPy库对PNG图像进行处理和转换。同时,NumPy库也提供了一些有用的函数来操作数组。 其他有用函数 dtype()函数 :用于找出数组中元素的数据类型。 ndim()函数 :返回数组的维度数。…

作者头像 李华
网站建设 2026/4/16 13:03:52

10、Ubuntu系统使用指南:从基础设置到多媒体体验

Ubuntu系统使用指南:从基础设置到多媒体体验 打印机配置 在Ubuntu系统上配置打印机时,有几个关键步骤需要遵循。首先是收集信息,这是配置打印机时不能忽视的重要环节。 1. 记录打印机信息 :明确打印机的品牌和型号,这些信息通常清晰地印在打印机硬件上,例如Brother …

作者头像 李华