Golang context 万字解析实现原理

Golang:context基于go1.21版本

  • Context 是什么
    • Context 的功能
    • 应用场景
    • 源码分析
      • 1.10 Context核心结构
      • 1.1Err错误
      • 2 .1 emptyCtx
    • 3.1 Background() 和 TODO()
      • 4.1.1 cancelCtx
      • 4.1.2 Deadline 方法
      • 4.1.2 Done 方法
      • 4.1.2 Err 方法
      • 4.1.2 Value 方法
    • 4.2 WithCancel() 和 WithCancelCause()
      • 4.2.2 propagateCancel
      • 4.2.3 cancelCtx.cancel()
    • 4.3 WithTimeout (),WithDeadline(),WithDeadlineCause(),WithTimeoutCause()
      • 4.3.1 timerCtx 结构
      • 4.3.2 Deadline结构
      • 4.3.3 cancel结构
      • 4.3.4 String结构
      • 4.4.1 WithDeadline 结构

Context 是什么

  1. 译为上下文
  2. 用于进程之间信息和信号的传递
  3. 用于服务之间的信号和信息从传递

Context 的功能

  1. Context 可以用于不同的api或者进程之间传递(携带键值对传递),不要传递 nil Context
  2. 传递取消信号(主动取消,超时/时限取消),因为Context是树结构,所以传递是单向传递的,只有父节点取消的时候,才会把取消的信号传递给父节点的衍生子节点
  3. Context需要显示传递给他所需要的函数,并且需要他的函数作为第一个参数,通常命名为ctx

应用场景

  1. 用于父子协程间取消信号传递
  2. 用于客服端与服务器之间的信息传递
  3. 用于设置请求超时时间等

源码分析

1.10 Context核心结构

   本文都是围绕一下进行讨论的,无非就是实现这四个方法的逻辑不同。方法的具体实现,将会在下面具体讲解,现在先让大家对Context有个宏观的认知

  • 一个接口
type Context interface {Deadline() (deadline time.Time, ok bool)Done() <-chan struct{}Err() errorValue(key any) any
}
  1. Deadline(): 返回一个完成工作的截止时间,这个截止时间代表上下文被取消的时间,这个时间之后所有的衍生协程都将会取消。如果没有截止时间,将会返回false
  2. Done() :返回一个Context中的channel,这个channel会在当前任务完成工作的时候关闭,如果关闭的时候无法取消上下文,则Done可能返回nil。多次调用Done方法会返回同一个channel。
  3. Err() :返回Context结束的原因,他只会在Done方法对应的Channel关闭的时候关闭返回非空值,如果context被取消,会返回context.Canceled如果Context超时,会返回Context.DeadlineExceeded错误
  4. Value():从Context从获取对应的键值对,如果未设置键值对则返回nil。相同的key取value会返回相同的值。因为这四个方法都是幂等
  • 四个实现
  1. emptyCtx (): 实现了一个空的context用作根节点,TODO(),Background(),都是基于他实现的
  2. cancelCtx (): 实现一个能够自己取消的Context
  3. timerCtx (): 实现一个通过定时器timer和截止时间deadline定时取消的context
  4. valueCtx (): 实现一个可以通过 key、val 两个字段来存数据的context
  • 十个方法
  1. Background (): Background 返回一个emptyCtx作为根节点

  2. TODO (): TODO 返回一个emptyCtx作为未知节点,如果你不知道使用哪个Context可以使用此方法

  3. WithCancel(): WithCancel 入参是一个父Context,return一个子Context和cancelCtx(主动取消Context),如果想取消Context可以调用cancelCtx()

  4. WithDeadline (): WithDeadline 入参是一个父Context和一个过期时间, 返回一个子Context和timerCtx,如果时间超时,那么他会自动的调用timerCtx()方法

  5. WithTimeout (): WithTimeout 入参是一个父Context和一段时间, 返回一个子Context和timerCtx,如果传入的是3秒,那么3秒后,他会自动的调用timerCtx()方法

  6. WithCancelCause(): WithCancelCause,和WithCancel不同点就是他可以自定义error而WithCancel不能

  7. WithDeadlineCause(): 同上

  8. WithTimeoutCause(): 同上

  9. AfterFunc(): AfterFunc入参是一个Context和一个func(),在该Context取消的时候,会执行该func。可以解决以往的一些合并取消上下文和串联处理的复杂场景。AfterFunc 安排在 ctx 完成后在自己的 goroutine 中调用 f(取消或超时)。如果 ctx 已经完成,AfterFunc 会立即在自己的 goroutine 中调用 f。

  10. WithoutCancel(): WithoutCance返回一个父级Context的副本,即使父Context关闭,生成的父Contest的副本也不会关闭。

1.1Err错误

   从下面的err可以看出,有两个错误方法,Canceled:Context取消时返回的err,DeadlineExceeded :Context截止时间超时的err

// Canceled is the error returned by [Context.Err] when the context is canceled.
var Canceled = errors.New("context canceled")// DeadlineExceeded is the error returned by [Context.Err] when the context's
// deadline passes.
var DeadlineExceeded error = deadlineExceededError{}type deadlineExceededError struct{}func (deadlineExceededError) Error() string   { return "context deadline exceeded" }
func (deadlineExceededError) Timeout() bool   { return true }
func (deadlineExceededError) Temporary() bool { return true }

2 .1 emptyCtx

   字如其名就是一个空的Context,无法被取消没有值也没有超时时间

// An emptyCtx is never canceled, has no values, and has no deadline.
// It is the common base of backgroundCtx and todoCtx.
type emptyCtx struct{}func (emptyCtx) Deadline() (deadline time.Time, ok bool) {return
}func (emptyCtx) Done() <-chan struct{} {return nil
}func (emptyCtx) Err() error {return nil
}func (emptyCtx) Value(key any) any {return nil
}
  1. Deadline(): 方法会返回一个公元元年的时间以及false的flag。表示这个Context没有超时时间
  2. Done() : 方法返回一个nil,如果用户读取或者写入这个Channel,会造成阻塞
  3. Err(: Err的错误返回一个nil,证明这个方法不会有err
  4. Value: Value值返回nil,证明这个方法不会有value

3.1 Background() 和 TODO()

   从源码可以看出这两个方法其实都是返回的emptyCtx 的一个实例,只是他们的表达方式不一样,他们两个继承了emptyCtx 所有的特点,,无法被取消没有值也没有超时时间

   Background():上下文的默认值,相当于root,所有的Context都应该从这里衍生出来,一般会在main中作为最顶层的Context

   TODO():Todo就是表示这个地方还没有完成,代表目前还不知道用哪个Context传递,或者根本没有Context,但是业务又需要传递Context,这时TODO就派上用场了

type backgroundCtx struct{ emptyCtx }func (backgroundCtx) String() string {return "context.Background"
}type todoCtx struct{ emptyCtx }func (todoCtx) String() string {return "context.TODO"
}func Background() Context {return backgroundCtx{}
}
func TODO() Context {return todoCtx{}
}

4.1.1 cancelCtx

   cancelCtx 是一个能够被取消的Context,其中他实现了Context接口,他是一个匿名字段,可以看成Context.

type canceler interface {cancel(removeFromParent bool, err, cause error)Done() <-chan struct{}
}
type cancelCtx struct {Contextmu       sync.Mutex            // protects following fieldsdone     atomic.Value          // of chan struct{}, created lazily, closed by first cancel callchildren map[canceler]struct{} // set to nil by the first cancel callerr      error                 // set to non-nil by the first cancel callcause    error                 // set to non-nil by the first cancel call
}
  • Context:嵌入了一个Context作为父Context,表示cancelCtx 肯定是某一个Context的子节点

  • mu :互斥锁,用来保证并发安全

  • done:实际的类型是 chan struct{},用来反应cancelCtx 生命周期的通道,如果是cancelCtx 关闭,那么就会向done发送信号,用来表示传递关闭信号。其中内部是使用atomic.Value实现的,会读取上次最近存储的chan struct{}

  • children:指向 cancelCtx 的所有子 context,在第一次调用的时候为nil

  • err:记录了当前 cancelCtx 的错误.

  • cause:自定义err,返回自定义的cancelCtx 错误

4.1.2 Deadline 方法

   cancelCtx 未实现该方法,仅是 嵌入了一个带有 Deadline 方法的 Context interface,因此倘若直接调用会报错.

4.1.2 Done 方法

  Done返回一个只读的通道,当Context取消的时候,该通道就会关闭,你可以监听这个通道检测Context是否被关闭,将done初始化。

  • 检查atomic.Value 是否存储了chan struct{},如果存储的有就返回原来的实例化的chan struct{}
  • 如果atomic.Value没有存储,就加锁,然后在判断一下是否有没有存储(双重保险),没有了在进行实例化,最后返回实例化后的chan struct{}
func (c *cancelCtx) Done() <-chan struct{} {d := c.done.Load()if d != nil {return d.(chan struct{})}c.mu.Lock()defer c.mu.Unlock()d = c.done.Load()if d == nil {d = make(chan struct{})c.done.Store(d)}return d.(chan struct{})
}

4.1.2 Err 方法

   这个就是读取cancelCtx的err,然后进行返回

func (c *cancelCtx) Err() error {c.mu.Lock()err := c.errc.mu.Unlock()return err
}

4.1.2 Value 方法

倘若 key 特定值 &cancelCtxKey,则返回 cancelCtx 自身的指针,否则就会取值return

func (c *cancelCtx) Value(key any) any {if key == &cancelCtxKey {return c}return value(c.Context, key)
}

了解了cancelCtx 结构之后进入真正的主题

4.2 WithCancel() 和 WithCancelCause()

   WithCancel():返回的是一个继承了父Context的新Context(cancelCtx),和一个CancelFunc方法,如果调用CancelFunc,这个context 将会取消。

   WithCancelCause():返回的内容一样,就是CancelFunc方法多了一个自定义的err。下面是使用示例,myError是自定义的err。

	ctx, cancel := context.WithCancelCause(parent)cancel(myError) //返回myErrorcontext.Cause(ctx) 
type CancelFunc func()func WithCancel(parent Context) (ctx Context, cancel CancelFunc) {c := withCancel(parent)return c, func() { c.cancel(true, Canceled, nil) }
}type CancelCauseFunc func(cause error)func WithCancelCause(parent Context) (ctx Context, cancel CancelCauseFunc) {c := withCancel(parent)return c, func(cause error) { c.cancel(true, Canceled, cause) }
}func withCancel(parent Context) *cancelCtx {if parent == nil {panic("cannot create context from nil parent")}c := &cancelCtx{}c.propagateCancel(parent, c)return c
}
  • 先判断父Context是否为nil,如果为nil直接panic,然后在重新实例化一个子context
  • 在 propagateCancel 方法内启动一个守护协程,以保证父 context 终止时,该 cancelCtx 也会被终止

4.2.2 propagateCancel

   如果父context取消了,那么他的所有衍生context都应该被取消

func (c *cancelCtx) propagateCancel(parent Context, child canceler) {c.Context = parentdone := parent.Done()if done == nil {return // parent is never canceled}select {case <-done:// parent is already canceledchild.cancel(false, parent.Err(), Cause(parent))returndefault:}if p, ok := parentCancelCtx(parent); ok {// parent is a *cancelCtx, or derives from one.p.mu.Lock()if p.err != nil {// parent has already been canceledchild.cancel(false, p.err, p.cause)} else {if p.children == nil {p.children = make(map[canceler]struct{})}p.children[child] = struct{}{}}p.mu.Unlock()return}if a, ok := parent.(afterFuncer); ok {// parent implements an AfterFunc method.c.mu.Lock()stop := a.AfterFunc(func() {child.cancel(false, parent.Err(), Cause(parent))})c.Context = stopCtx{Context: parent,stop:    stop,}c.mu.Unlock()return}goroutines.Add(1)go func() {select {case <-parent.Done():child.cancel(false, parent.Err(), Cause(parent))case <-child.Done():}}()
}
  • c.Context = parent,把该context指向父context,这样就知道父context有哪些子context了

  • 判断父context是否为不可取消类型,如果是,就跳过,如果不是就监听父context是否已经取消了,如果是取消了就把该子context取消。并把父err,传递给子err

  • 如果parent 是 cancelCtx 的类型,则加锁,并将子 context 添加到 parent 的 children map 当中,假如以后父context取消,可以直接用children map 取消所有的子context

  • 如果parent 实现了afterFuncer接口,把cancel函数封装成一个stop函数,进行延迟取消。赋值给子context的结构体中。后续会调用这个afterFuncer

  • 如果 parent 没有实现afterFuncer接口,则启动一个协程,通过多路复用的方式监控 parent 状态,如果终止,则同时终止子 context,并把parent 的 err传递给子context,如果孩子终止则直接跳过,因为不影响parent 。这里启动协程是主要监听parent,如果parent取消则立即取消子context。

4.2.3 cancelCtx.cancel()

   在propagateCancel守护协程中,知道了怎么终止协程cancel(false, parent.Err(), Cause(parent))。但是你知道怎么实现的吗?来看源代码

func (c *cancelCtx) cancel(removeFromParent bool, err, cause error) {if err == nil {panic("context: internal error: missing cancel error")}if cause == nil {cause = err}c.mu.Lock()if c.err != nil {c.mu.Unlock()return // already canceled}c.err = errc.cause = caused, _ := c.done.Load().(chan struct{})if d == nil {c.done.Store(closedchan)} else {close(d)}for child := range c.children {// NOTE: acquiring the child's lock while holding parent's lock.child.cancel(false, err, cause)}c.children = nilc.mu.Unlock()if removeFromParent {removeChild(c.Context, c)}
}
  • 可以看到cancel需要三个入参,一个是是否需要从父map[canceler]struct{}剔除,如果为true就剔除。第二个是取消context的错误是必传的,第三个是自定义err。
  • 如果err为nil直接panic,检查cancelCtx的err是否已经为空,如果不为空则解锁return,为空就把入参赋值给err和cause
  • 加载cancelCtx 的 channel,如果没有初始化,则初始化一个closedchan,反之就关闭Channel。遍历当前cancelCtx的children 把他的衍生孩子都进行取消。然后把children 清空赋值为nil。
  • 下面是removeChild的方法,先判断parent是否实现了stopCtx结构体,如果实现了就证明它实现了afterFunction这个接口,需要在移除的时候,运行在propagateCancel中添加的stopCtx.stop方法。
  • 如果parent不是cancelCtx,那么就返回,只有cancelCtx才有children ,如果是cancelCtx类型,就把children map中的child 删除,最后解锁返回
func removeChild(parent Context, child canceler) {if s, ok := parent.(stopCtx); ok {s.stop()return}p, ok := parentCancelCtx(parent)if !ok {return}p.mu.Lock()if p.children != nil {delete(p.children, child)}p.mu.Unlock()
}
type timerCtx struct {cancelCtxtimer *time.Timer // Under cancelCtx.mu.deadline time.Time
}

4.3 WithTimeout (),WithDeadline(),WithDeadlineCause(),WithTimeoutCause()

因为这四个方法实现的逻辑都基本是一样的,下面将会讲解怎么实现具体逻辑

4.3.1 timerCtx 结构

timerCtx 在 cancelCtx 基础上又做了一层封装,他继承了cancelCtx结构体,实现了cancelCtx的所有能力,然后外加了一个定时取消的Context,和到截止时间取消的Context

type timerCtx struct {cancelCtxtimer *time.Timer // Under cancelCtx.mu.deadline time.Time
}

4.3.2 Deadline结构

func (c *timerCtx) Deadline() (deadline time.Time, ok bool) {return c.deadline, true
}

在之前讲解的 WithCancel() 和 WithCancelCause()中,都没有实现Deadline()这个方法,这个方法用于展示过期时间

4.3.3 cancel结构

因为他继承了cancelCtx,所以可以之间调用cancelCtx.cancel,进行取消操作,然后判断是否需要把孩子context从map中删除,然后停止timer

func (c *timerCtx) cancel(removeFromParent bool, err, cause error) {c.cancelCtx.cancel(false, err, cause)if removeFromParent {// Remove this timerCtx from its parent cancelCtx's children.removeChild(c.cancelCtx.Context, c)}c.mu.Lock()if c.timer != nil {c.timer.Stop()c.timer = nil}c.mu.Unlock()
}

4.3.4 String结构

这个是把context进行name的拼接,调用这个方法会把context的名字return

func (c *timerCtx) String() string {return contextName(c.cancelCtx.Context) + ".WithDeadline(" +c.deadline.String() + " [" +time.Until(c.deadline).String() + "])"
}

4.4.1 WithDeadline 结构

func WithDeadline(parent Context, d time.Time) (Context, CancelFunc) {return WithDeadlineCause(parent, d, nil)
}// WithDeadlineCause behaves like [WithDeadline] but also sets the cause of the
// returned Context when the deadline is exceeded. The returned [CancelFunc] does
// not set the cause.
func WithDeadlineCause(parent Context, d time.Time, cause error) (Context, CancelFunc) {if parent == nil {panic("cannot create context from nil parent")}if cur, ok := parent.Deadline(); ok && cur.Before(d) {// The current deadline is already sooner than the new one.return WithCancel(parent)}c := &timerCtx{deadline: d,}c.cancelCtx.propagateCancel(parent, c)dur := time.Until(d)if dur <= 0 {c.cancel(true, DeadlineExceeded, cause) // deadline has already passedreturn c, func() { c.cancel(false, Canceled, nil) }}c.mu.Lock()defer c.mu.Unlock()if c.err == nil {c.timer = time.AfterFunc(dur, func() {c.cancel(true, DeadlineExceeded, cause)})}return c, func() { c.cancel(true, Canceled, nil) }
}
  • 从代码可以看到WithDeadline其实内部就是调用的WithDeadlineCause,只不过他的自定义err为nil。
  • 检查parent 是否为nil,校验 parent 的过期时间是否早于自己,如果是就返回 WithCancel(parent),然后构造一个timerCtx,启用守护进程,判断过期的时间是否已经到了,如果到则取消context,判断context的err是否为nil,如果为nil则设定一个延时时间,到过期时间的时候会终止该 timerCtx,并返回 的错误。最后返回一个timerCtx和cancel函数

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

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

相关文章

vue2 el-table新增行内删除行内(两种写法)里面第一个是树组件,第二个是数字组件,第一个数组件只能勾选最后一个节点

第一种 <template><div class"time_table"><div style"margin-bottom: 10px"><el-button click"addRowFn">新增</el-button></div><el-form ref"costForm" :model"formData">&l…

备战蓝桥杯---搜索(剪枝)

何为剪枝&#xff0c;就是减少搜索树的大小。 它有什么作用呢&#xff1f; 1.改变搜索顺序。 2.最优化剪枝。 3.可行性剪枝。 首先&#xff0c;单纯的广搜是无法实现的&#xff0c;因为它存在来回跳的情况来拖时间。 于是我们可以用DFS&#xff0c;那我们如何剪枝呢&#…

Http请求Cookie失效问题

Http请求Cookie失效问题记录 一、问题现象 在开发功能的过程中&#xff0c;业务依赖cookie进行取之&#xff0c;项目进行交互时会对前端http请求携带的cookies进行解析操作&#xff0c;但在自测调试对过程中出现账户的授权失效的报错问题。 二、问题排查 用arthas进行代码方…

React16源码: React中event事件监听绑定的源码实现

event事件监听 1 &#xff09;概述 在 react-dom 代码初始化的时候&#xff0c;去注入了平台相关的事件插件接下去在react的更新过程绑定了事件的操作&#xff0c;在执行到 completeWork 的时候对于 HostComponent 会一开始就先去执行了 finalizeInitialChildren 这个方法位置…

鸿蒙应用/元服务开发-窗口(Stage模型)设置悬浮窗

一、设置悬浮窗说明 悬浮窗可以在已有的任务基础上&#xff0c;创建一个始终在前台显示的窗口。即使创建悬浮窗的任务退至后台&#xff0c;悬浮窗仍然可以在前台显示。通常悬浮窗位于所有应用窗口之上&#xff1b;开发者可以创建悬浮窗&#xff0c;并对悬浮窗进行属性设置等操…

使用网关过滤器,根据业务规则实现微服务动态路由

文章目录 业务场景拦截器实现Spring Cloud Gateway介绍 业务场景 我们服务使用Spring Cloud微服务架构&#xff0c;使用Spring Cloud Gateway 作为网关&#xff0c;使用 Spring Cloud OpenFeign 作为服务间通信方式作为网关&#xff0c;主要作用是鉴权与路由转发。大多数应用场…

3d网上虚拟现实展厅让汽车零部件厂商脱颖而出

在这个信息爆炸的时代&#xff0c;如何让自己的产品在众多竞争者中脱颖而出?让我们为您揭示一个秘密武器——汽车线上3D云展示软件。 想象一下&#xff0c;一辆外观炫酷、性能卓越的红色汽车&#xff0c;通过这款3D云展示软件&#xff0c;呈现在潜在客户的眼前。那流线型的车身…

Failed at the chromedriver@2.27.2 install script.

目录 【错误描述】Failed at the chromedriver2.27.2 install script. npm install报的错误 【解决方法】 删除node_modules文件夹npm install chromedriver --chromedriver_cdnurlhttp://cdn.npm.taobao.org/dist/chromedrivernpm install 【未解决】 下载该zip包运行这个&…

【npm】安装全局包,使用时提示:不是内部或外部命令,也不是可运行的程序或批处理文件

问题 如图&#xff0c;明明安装Vue是全局包&#xff0c;但是使用时却提示&#xff1a; 解决办法 使用以下命令任意一种命令查看全局包的配置路径 npm root -g 然后将此路径&#xff08;不包括node_modules&#xff09;添加到环境变量中去&#xff0c;这里注意&#xff0c;原…

JAVA SpringBoot中使用redis的事务

1、自定义redisConfig , 如果项目中要使用redis事务&#xff0c;最好将用事务和不用事务的redis分开。 Configuration public class RedisConfig {Resourceprivate RedisProperties redisProperties;Bean("redisTemplate")public RedisTemplate<String, Object>…

前端框架学习 Vue(3)vue生命周期,钩子函数,工程化开发脚手架CLI,组件化开发,组件分类

Vue 生命周期 和生命周期的四个阶段 Vue生命周期:一个Vue实例从创建 到 销毁 的整个过程 生命周期四个阶段 :(1)创建 (2)挂载 (3)更新 (4)销毁 Vue生命周期函数(钩子函数) Vue生命周期过程中,会自动运行一些函数,被称为[生命周期钩子] ->让开发者可以在[特定阶段] 运行自…

【云原生kubernetes系列】---亲和与反亲和

1、亲和和反亲和 node的亲和性和反亲和性pod的亲和性和反亲和性 1.1node的亲和和反亲和 1.1.1ndoeSelector&#xff08;node标签亲和&#xff09; #查看node的标签 rootk8s-master1:~# kubectl get nodes --show-labels #给node节点添加标签 rootk8s-master1:~# kubectl la…

用GOGS搭建GIT服务器

GOGS官网 Gogs: A painless self-hosted Git service 进入文件所在目录 cd /usr/local/develop 解压文件 tar -xvf gogs_0.13.0_linux_amd64.tar.gz 解压之后 进入gogs 目录 cd gogs 创建几个目录 userdata 存放用户数据 log文件存放进程日志 repositories 仓库根目…

19113133262(微信同号)【主题广范|见刊快】2024年新材料与应用化学国际学术会议(ICNMAC 2024)

【主题广范|见刊快】2024年新材料与应用化学国际学术会议(ICNMAC 2024) 2024 International Conference New Materials and Applied Chemistry(ICNMAC 2024) 一、【会议简介】 会议背景&#xff1a;随着科技的飞速发展&#xff0c;新材料与应用化学领域的研究成果日益丰富。为…

MySQL进阶45讲【12】为什么你的MySQL偶尔会卡一下

1 前言 平时的工作中&#xff0c;不知道大家有没有遇到过这样的场景&#xff0c;一条SQL语句&#xff0c;正常执行的时候特别快&#xff0c;但是有时也不知道怎么回事&#xff0c;它就会变得特别慢&#xff0c;并且这样的场景很难复现&#xff0c;它不只随机&#xff0c;而且持…

事件驱动架构:使用Flask实现MinIO事件通知Webhooks

MinIO的事件通知可能一开始看起来并不激动人心&#xff0c;但一旦掌握了它们的力量&#xff0c;它们就能照亮您存储桶内的动态。事件通知是一个全面、高效的对象存储系统中的关键组件。Webhooks是我个人最喜欢的工具&#xff0c;用于与MinIO集成。它们在事件的世界中就像一把瑞…

基于NSGA-II的深度迁移学习

深度迁移学习 迁移学习是一种机器学习技术&#xff0c;它允许一个预训练的模型被用作起点&#xff0c;在此基础上进行微调以适应新的任务或数据。其核心思想是利用从一个任务中学到的知识来帮助解决另一个相关的任务&#xff0c;即使这两个任务的数据分布不完全相同。这种方法…

靶机实战bwapp亲测xxe漏洞攻击及自动化XXE注射工具分析利用

靶机实战bwapp亲测xxe漏洞攻击及自动化XXE注射工具分析利用。 1|0介绍 xxe漏洞主要针对webservice危险的引用的外部实体并且未对外部实体进行敏感字符的过滤,从而可以造成命令执行,目录遍历等.首先存在漏洞的web服务一定是存在xml传输数据的,可以在http头的content-type中查…

sql求解连续两个以上的空座位

Q&#xff1a;查找电影院所有连续可用的座位。 返回按 seat_id 升序排序 的结果表。 测试用例的生成使得两个以上的座位连续可用。 结果表格式如下所示。 A:我们首先找出所有的空座位&#xff1a;1&#xff0c;3&#xff0c;4&#xff0c;5 按照seat_id排序&#xff08;上面已…

Android studio使用svg矢量图

https://www.iconfont.cn/ https://www.jyshare.com/more/svgeditor/ https://editor.method.ac/ https://inloop.github.io/svg2android/ Pattern Monster - SVG 图案生成器 Android studio使用svg矢量图自适应不同的分辨率&#xff0c; svg矢量图绘制以及转换为And…