gRPC之grpc keepalive

1、grpc keepalive

keepalive ping是一种通过transport发送HTTP2 ping来检查通道当前是否工作的方法。它是周期性发送的,

如果在某个超时周期内该ping没有得到对等方的确认,则传输断开连接。

gRPC keepAlive是grpc框架在应用层面连接保活的一种措施,即当grpc连接上没有业务数据时,是否发送ping

pong,以保持连接活跃性,不因长时间空闲而被Server或操作系统关闭。

gRPC keepAlive在client与server都有,client端默认关闭(keepAliveTimeLong.MAX_VALUE),server端默认打

开,keepAliveTime为2小时,即每2小时向client发送一次ping。

客户端和服务端都可以发送ping帧,接收端则回复带ACK flag的ping帧。

Timeout:ping帧的发送端发送ping帧之后,会等待一段时间,如果在这段时间里没有收到对端的回复(带有ack

标志的ping帧),则认为连接已经关闭。

有关如何配置keepalive,请参考:

https://pkg.go.dev/google.golang.org/grpc/keepalive

https://pkg.go.dev/google.golang.org/grpc?utm_source=godoc#WithKeepaliveParams

1.1 keepalive参数说明

1.1.1 客户端配置

对于客户端来说,在拨号之前,使用下面的数据结构配置 keepalive参数:

type ClientParameters struct {// After a duration of this time if the client doesn't see any activity it// pings the server to see if the transport is still alive.// If set below 10s, a minimum value of 10s will be used instead.Time time.Duration // The current default value is infinity.// After having pinged for keepalive check, the client waits for a duration// of Timeout and if no activity is seen even after that the connection is// closed.Timeout time.Duration // The current default value is 20 seconds.// If true, client sends keepalive pings even with no active RPCs. If false,// when there are no active RPCs, Time and Timeout will be ignored and no// keepalive pings will be sent.PermitWithoutStream bool // false by default.
}

解释:

Time:超过这个时长都没有活动的话,客户端就会ping服务端,这个值最小是10秒。

Timeout :发出Ping后,客户端等待回复,如果超过这个时长没有收到ping的回复消息,则会断开链接,默

认值是20秒。

PermitWithoutStream:即使没有活动流也发送ping。

Time是客户端发送ping帧之前,连接空闲的时间。PermitWithoutStream 这个值规定了当连接上没有RPC调用时

是否可以发送ping帧。

可以通过函数WithKeepaliveParams 设置:

var kacp = keepalive.ClientParameters{Time: 10 * time.Second,Timeout: time.Second,PermitWithoutStream: true,
}conn, err := grpc.Dial(*addr, grpc.WithTransportCredentials(insecure.NewCredentials()),grpc.WithKeepaliveParams(kacp))
1.1.2 服务端keepalive参数配置
// ServerParameters is used to set keepalive and max-age parameters on the
// server-side.
type ServerParameters struct {// MaxConnectionIdle is a duration for the amount of time after which an// idle connection would be closed by sending a GoAway. Idleness duration is// defined since the most recent time the number of outstanding RPCs became// zero or the connection establishment.MaxConnectionIdle time.Duration // The current default value is infinity.// MaxConnectionAge is a duration for the maximum amount of time a// connection may exist before it will be closed by sending a GoAway. A// random jitter of +/-10% will be added to MaxConnectionAge to spread out// connection storms.MaxConnectionAge time.Duration // The current default value is infinity.// MaxConnectionAgeGrace is an additive period after MaxConnectionAge after// which the connection will be forcibly closed.MaxConnectionAgeGrace time.Duration // The current default value is infinity.// After a duration of this time if the server doesn't see any activity it// pings the client to see if the transport is still alive.// If set below 1s, a minimum value of 1s will be used instead.Time time.Duration // The current default value is 2 hours.// After having pinged for keepalive check, the server waits for a duration// of Timeout and if no activity is seen even after that the connection is// closed.Timeout time.Duration // The current default value is 20 seconds.
}

解释:

MaxConnectionIdle:当连接处于idle的时长超过MaxConnectionIdle时,服务端就发送GOAWAY,关闭连

接,该值的默认值为无限大。

MaxConnectionAge:一个连接只能使用MaxConnectionAge这么长的时间,否则服务端就会关闭这个连

接。

MaxConnectionAgeGrace:服务端优雅关闭连接时长。

Time:超过这个时长都没有活动的话,服务端就会ping客户端,默认值为2小时。

Timeout:服务端发送ping请求后,等待客户端响应的时间,若无响应则将该链接关闭回收,默认值为20

秒。

服务端配置的 TimeTimeout的含义和客户端配置相同。除此之外,要有3个配置可以影响一个连接:

MaxConnectionIdle:连接的最大空闲时长。当超过这个时间时,服务端会向客户端发送GOAWAY帧,关闭空

闲的连接,节省连接数。

MaxConnectionAge:一个连接可以使用的时间。当一个连接已经使用了超过这个值的时间时,服务端就要强制

关闭连接了。如果客户端仍然要连接服务端,可以重新发起连接。这时连接将进入半关闭状态,不再接收新的流。

MaxConnectionAgeGrace当服务端决定关闭一个连接时,如果有RPC在进行,会等待MaxConnectionAgeGrace

时间,让已经存在的流可以正常处理完毕。

为了保护服务端,防止恶意攻击或者防止客户端不去恰当的行为,对服务端造成破坏或性能受影响,服务端还针对

keepalive设计了一个策略,叫 EnforcementPolicy,可以限制客户端ping的频率。

1.1.3 服务端EnforcementPolicy配置

EnforcementPolicy的配置,用于在服务器端设置 keepalive 强制策略。服务器将关闭与违反此策略的客户端的

连接。

// EnforcementPolicy is used to set keepalive enforcement policy on the
// server-side. Server will close connection with a client that violates this
// policy.
type EnforcementPolicy struct {// MinTime is the minimum amount of time a client should wait before sending// a keepalive ping.MinTime time.Duration // The current default value is 5 minutes.// If true, server allows keepalive pings even when there are no active// streams(RPCs). If false, and client sends ping when there are no active// streams, server will send GOAWAY and close the connection.PermitWithoutStream bool // false by default.
}

解释:

MinTime:客户端ping的间隔应该不小于这个时长,默认是5分钟。

PermitWithoutStream:服务端是否允许在没有RPC调用时发送PING,默认不允许。在不允许的情况下,

客户端发送了PING,服务端将发送GOAWAY帧,关闭连接。

如果客户端在 MinTime 时间内发送了1次以上的ping,或者在服务端PermitWithoutStream为 false且连接上没

有RPC进行时,服务端收到ping帧,则会关闭连接。

1.1.4 服务端配置

服务端配置有这两个参数:

type serverOptions struct {keepaliveParams       keepalive.ServerParameterskeepalivePolicy       keepalive.EnforcementPolicy
}

在启动server之前,可以通过 KeepaliveParamsKeepaliveEnforcementPolicy 这两个函数配置。

var kaep = keepalive.EnforcementPolicy{MinTime: 5 * time.Second,PermitWithoutStream: true,
}var kasp = keepalive.ServerParameters{MaxConnectionIdle: 15 * time.Second,MaxConnectionAge: 30 * time.Second,MaxConnectionAgeGrace: 5 * time.Second,Time: 5 * time.Second,Timeout: 1 * time.Second,
}s := grpc.NewServer(grpc.KeepaliveEnforcementPolicy(kaep), grpc.KeepaliveParams(kasp))

下面通过示例说明如何设置客户端保活ping和服务器端保活ping强制和连接空闲设置。

1.2 keepalive实例1

1.2.1 proto编写和编译
syntax = "proto3";option go_package = "./;echo";package echo;message EchoRequest {string message = 1;
}message EchoResponse {string message = 1;
}service Echo {rpc UnaryEcho(EchoRequest) returns (EchoResponse) {}
}
$ protoc -I . --go_out=plugins=grpc:. ./echo.proto
1.2.2 服务端
package mainimport ("context"pb "demo/pb""flag""fmt""google.golang.org/grpc""google.golang.org/grpc/keepalive""log""net""time"
)var port = flag.Int("port", 50052, "port number")var kaep = keepalive.EnforcementPolicy{// If a client pings more than once every 5 seconds, terminate the connectionMinTime: 5 * time.Second,// Allow pings even when there are no active streamsPermitWithoutStream: true,
}var kasp = keepalive.ServerParameters{// If a client is idle for 15 seconds, send a GOAWAYMaxConnectionIdle: 15 * time.Second,// If any connection is alive for more than 30 seconds, send a GOAWAYMaxConnectionAge: 30 * time.Second,// Allow 5 seconds for pending RPCs to complete before forcibly closing connectionsMaxConnectionAgeGrace: 5 * time.Second,// Ping the client if it is idle for 5 seconds to ensure the connection is still activeTime: 5 * time.Second,// Wait 1 second for the ping ack before assuming the connection is deadTimeout: 1 * time.Second,
}// server implements EchoServer.
type server struct {pb.UnimplementedEchoServer
}func (s *server) UnaryEcho(ctx context.Context, req *pb.EchoRequest) (*pb.EchoResponse, error) {return &pb.EchoResponse{Message: req.Message}, nil
}func main() {flag.Parse()address := fmt.Sprintf(":%v", *port)lis, err := net.Listen("tcp", address)if err != nil {log.Fatalf("failed to listen: %v", err)}s := grpc.NewServer(grpc.KeepaliveEnforcementPolicy(kaep), grpc.KeepaliveParams(kasp))pb.RegisterEchoServer(s, &server{})if err := s.Serve(lis); err != nil {log.Fatalf("failed to serve: %v", err)}
}
1.2.3 客户端
package mainimport ("context"pb "demo/pb""flag""fmt""google.golang.org/grpc""google.golang.org/grpc/credentials/insecure""google.golang.org/grpc/keepalive""log""time"
)var addr = flag.String("addr", "localhost:50052", "the address to connect to")var kacp = keepalive.ClientParameters{// send pings every 10 seconds if there is no activityTime: 10 * time.Second,// wait 1 second for ping ack before considering the connection deadTimeout: time.Second,// send pings even without active streamsPermitWithoutStream: true,
}func main() {flag.Parse()conn, err := grpc.Dial(*addr, grpc.WithTransportCredentials(insecure.NewCredentials()),grpc.WithKeepaliveParams(kacp))if err != nil {log.Fatalf("did not connect: %v", err)}defer conn.Close()c := pb.NewEchoClient(conn)ctx, cancel := context.WithTimeout(context.Background(), 3*time.Minute)defer cancel()fmt.Println("Performing unary request")res, err := c.UnaryEcho(ctx, &pb.EchoRequest{Message: "keepalive demo"})if err != nil {log.Fatalf("unexpected error from UnaryEcho: %v", err)}fmt.Println("RPC response:", res)select {}// Block forever; run with GODEBUG=http2debug=2 to observe ping frames and GOAWAYs due to idleness.
}
1.2.4 测试
[root@zsx demo]# go run server/server.go
[root@zsx demo]# env GODEBUG=http2debug=2 go run client/client.go
Performing unary request
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote SETTINGS len=0
2023/02/18 10:24:18 http2: Framer 0xc000166000: read SETTINGS len=6, settings: MAX_FRAME_SIZE=16384
2023/02/18 10:24:18 http2: Framer 0xc000166000: read SETTINGS flags=ACK len=0
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote SETTINGS flags=ACK len=0
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote HEADERS flags=END_HEADERS stream=1 len=86
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote DATA flags=END_STREAM stream=1 len=21 data="\x00\x00\x00\x00\x10\n\x0ekeepalive demo"
2023/02/18 10:24:18 http2: Framer 0xc000166000: read WINDOW_UPDATE len=4 (conn) incr=21
2023/02/18 10:24:18 http2: Framer 0xc000166000: read PING len=8 ping="\x02\x04\x10\x10\t\x0e\a\a"
2023/02/18 10:24:18 http2: Framer 0xc000166000: read HEADERS flags=END_HEADERS stream=1 len=14
2023/02/18 10:24:18 http2: decoded hpack field header field ":status" = "200"
2023/02/18 10:24:18 http2: decoded hpack field header field "content-type" = "application/grpc"
2023/02/18 10:24:18 http2: Framer 0xc000166000: read DATA stream=1 len=21 data="\x00\x00\x00\x00\x10\n\x0ekeepalive demo"
2023/02/18 10:24:18 http2: Framer 0xc000166000: read HEADERS flags=END_STREAM|END_HEADERS stream=1 len=24
2023/02/18 10:24:18 http2: decoded hpack field header field "grpc-status" = "0"
2023/02/18 10:24:18 http2: decoded hpack field header field "grpc-message" = ""
RPC response: message:"keepalive demo"
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote PING flags=ACK len=8 ping="\x02\x04\x10\x10\t\x0e\a\a"
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote WINDOW_UPDATE len=4 (conn) incr=21
2023/02/18 10:24:18 http2: Framer 0xc000166000: wrote PING len=8 ping="\x02\x04\x10\x10\t\x0e\a\a"
2023/02/18 10:24:18 http2: Framer 0xc000166000: read PING flags=ACK len=8 ping="\x02\x04\x10\x10\t\x0e\a\a"
2023/02/18 10:24:23 http2: Framer 0xc000166000: read PING len=8 ping="\x00\x00\x00\x00\x00\x00\x00\x00"
2023/02/18 10:24:23 http2: Framer 0xc000166000: wrote PING flags=ACK len=8 ping="\x00\x00\x00\x00\x00\x00\x00\x00"
2023/02/18 10:24:28 http2: Framer 0xc000166000: read PING len=8 ping="\x00\x00\x00\x00\x00\x00\x00\x00"
2023/02/18 10:24:28 http2: Framer 0xc000166000: wrote PING flags=ACK len=8 ping="\x00\x00\x00\x00\x00\x00\x00\x00"
2023/02/18 10:24:33 http2: Framer 0xc000166000: read GOAWAY len=8 LastStreamID=2147483647 ErrCode=NO_ERROR Debug=""
2023/02/18 10:24:33 http2: Framer 0xc000166000: read PING len=8 ping="\x01\x06\x01\b\x00\x03\x03\t"

第一个PING帧是服务端发起的。

因为服务端每当连接空闲5秒就发送ping帧,客户端配置为10秒。服务端在发送第一个PING之后5秒,就发送了第

二个ping帧。

当时间到10:24:33的时候,服务端检测到此连接已经持续空闲15秒了,达到 MaxConnectionIdle的值了,而且

此时没有进行中的RPC,因此发送GOAWAY帧,关闭连接。

修改客户端和服务端的配置,就很容易看到客户端和服务端都在向对方发送PING帧的过程。

# 项目结构
$ tree demo/
demo/
├── client
│   └── client.go
├── go.mod
├── go.sum
├── pb
│   ├── echo.pb.go
│   └── echo.proto
└── server└── server.go3 directories, 6 files

1.3 keepalive实例2

1.3.1 proto编写和编译
syntax = "proto3";
package pb;
option go_package = "./;pb";service Greeter {rpc SayHello (HelloRequest) returns (HelloReply) {}
}message HelloRequest {string name = 1;
}message HelloReply {string message = 1;
}
$ protoc -I . --go_out=plugins=grpc:. ./helloword.proto
1.3.2 服务端
package mainimport ("context"pb "demo/pb""google.golang.org/grpc""google.golang.org/grpc/keepalive""log""net""time"
)const (port = ":50051"
)type server struct {pb.UnimplementedGreeterServer
}var kaep = keepalive.EnforcementPolicy{// If a client pings more than once every 5 seconds, terminate the connectionMinTime: 5 * time.Second,// Allow pings even when there are no active streamsPermitWithoutStream: true,
}// 该函数定义必须与helloworld.pb.go 定义的SayHello一致
func (s *server) SayHello(ctx context.Context, in *pb.HelloRequest) (*pb.HelloReply, error) {//打印客户端传入HelloRequest请求的Name参数log.Printf("Received: %v", in.GetName())time.Sleep(time.Hour)//将name参数作为返回值,返回给客户端return &pb.HelloReply{Message: "Hello " + in.GetName()}, nil
}// main方法 函数开始执行的地方
func main() {// 调用标准库,监听50051端口的tcp连接lis, err := net.Listen("tcp", port)if err != nil {log.Fatalf("failed to listen: %v", err)}//创建grpc服务s := grpc.NewServer(grpc.KeepaliveEnforcementPolicy(kaep))//将server对象,也就是实现SayHello方法的对象,与grpc服务绑定pb.RegisterGreeterServer(s, &server{})// grpc服务开始接收访问50051端口的tcp连接数据if err := s.Serve(lis); err != nil {log.Fatalf("failed to serve: %v", err)}
}
1.3.3 客户端
package mainimport ("context""demo/pb""fmt""google.golang.org/grpc""google.golang.org/grpc/keepalive""google.golang.org/grpc/stats""log""time"
)var kacp = keepalive.ClientParameters{// send pings every 10 seconds if there is no activityTime: 15 * time.Second,// wait 1 second for ping ack before considering the connection deadTimeout: time.Second,// send pings even without active streamsPermitWithoutStream: true,
}const (address = "localhost:50051"
)func main() {// 访问服务端address,创建连接connconn, err := grpc.Dial(address, grpc.WithInsecure(), grpc.WithBlock(), grpc.WithKeepaliveParams(kacp),grpc.WithStatsHandler(&StatsHandler{}))if err != nil {log.Fatalf("did not connect: %v", err)}defer conn.Close()c := pb.NewGreeterClient(conn)// 设置客户端访问超时时间1秒ctx, cancel := context.WithTimeout(context.Background(), 100*time.Second)defer cancel()// 客户端调用服务端 SayHello 请求,传入Name 为 "world", 返回值为服务端返回参数r, err := c.SayHello(ctx, &pb.HelloRequest{Name: "world"})if err != nil {log.Fatalf("could not greet: %v", err)}// 根据服务端处理逻辑,返回值也为"world"log.Printf("Greeting: %s", r.GetMessage())
}type StatsHandler struct {
}// TagConn可以将一些信息附加到给定的上下文。
func (h *StatsHandler) TagConn(ctx context.Context, info *stats.ConnTagInfo) context.Context {fmt.Printf("TagConn:%v\n", info)return ctx
}// 会在连接开始和结束时被调用,分别会输入不同的状态.
func (h *StatsHandler) HandleConn(ctx context.Context, s stats.ConnStats) {fmt.Printf("HandleConn:%v\n", s)
}// TagRPC可以将一些信息附加到给定的上下文
func (h *StatsHandler) TagRPC(ctx context.Context, info *stats.RPCTagInfo) context.Context {fmt.Printf("TagRPC:%v\n", info)return ctx
}// 处理RPC统计信息
func (h *StatsHandler) HandleRPC(ctx context.Context, s stats.RPCStats) {fmt.Printf("HandleRPC:%v\n", s)
}
1.3.4 测试
[root@zsx demo]# go run server/server.go
2023/02/18 12:31:13 Received: world
[root@zsx demo]# go run client/client.go
TagConn:&{[::1]:50051 [::1]:63094}
HandleConn:&{true}
TagRPC:&{/pb.Greeter/SayHello true}
HandleRPC:&{true 2023-02-18 12:31:13.9589101 +0800 CST m=+0.018497101 true false false false}
HandleRPC:&{true  map[user-agent:[grpc-go/1.53.0]] /pb.Greeter/SayHello [::1]:50051 [::1]:63094}
HandleRPC:&{true name:"world" [10 5 119 111 114 108 100] 7 12 2023-02-18 12:31:13.9594239 +0800 CST m=+0.019010901}
HandleRPC:&{true 2023-02-18 12:31:13.9589101 +0800 CST m=+0.018497101 2023-02-18 12:32:53.9592626 +0800 CST m=+100.018849601 map[] rpcerror: code = DeadlineExceeded desc = context deadline exceeded}
2023/02/18 12:32:53 could not greet: rpc error: code = DeadlineExceeded desc = context deadline exceeded
exit status 1

如果停止服务端,客户端还会打印:

HandleConn:&{true}

如果去掉服务端的 time.Sleep(time.Hour)

[root@zsx demo]# go run server/server.go
2023/02/18 12:37:40 Received: world
[root@zsx demo]# go run client/client.go
TagConn:&{[::1]:50051 [::1]:63365}
HandleConn:&{true}
TagRPC:&{/pb.Greeter/SayHello true}
HandleRPC:&{true 2023-02-18 12:37:40.2493083 +0800 CST m=+0.017940701 true false false false}
HandleRPC:&{true  map[user-agent:[grpc-go/1.53.0]] /pb.Greeter/SayHello [::1]:50051 [::1]:63365}
HandleRPC:&{true name:"world" [10 5 119 111 114 108 100] 7 12 2023-02-18 12:37:40.2498263 +0800 CST m=+0.018458701}
HandleRPC:&{true 14  map[content-type:[application/grpc]]  <nil> <nil>}
HandleRPC:&{true 24 map[]}
HandleRPC:&{true message:"Hello world" [10 11 72 101 108 108 111 32 119 111 114 108 100] 13 18 2023-02-18 12:37:40.25037 +0800 CST m=+
0.019002401}
HandleRPC:&{true 2023-02-18 12:37:40.2493083 +0800 CST m=+0.017940701 2023-02-18 12:37:40.25037 +0800 CST m=+0.019002401 map[] <nil>}
2023/02/18 12:37:40 Greeting: Hello world
# 项目结构
$ tree demo/
demo/
├── client
│   └── client.go
├── go.mod
├── go.sum
├── pb
│   ├── helloword.pb.go
│   └── helloword.proto
└── server└── server.go3 directories, 6 files

参考地址:https://github.com/grpc/grpc-go/blob/master/Documentation/keepalive.md

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

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

相关文章

MEFLUT: Unsupervised 1D Lookup Tables for Multi-exposure Image Fusion

Abstract 在本文中&#xff0c;我们介绍了一种高质量多重曝光图像融合&#xff08;MEF&#xff09;的新方法。我们表明&#xff0c;曝光的融合权重可以编码到一维查找表&#xff08;LUT&#xff09;中&#xff0c;该表将像素强度值作为输入并产生融合权重作为输出。我们为每次…

【RT-DETR改进】SIoU、GIoU、CIoU、DIoU、AlphaIoU等二十余种损失函数

一、本文介绍 这篇文章介绍了RT-DETR的重大改进&#xff0c;特别是在损失函数方面的创新。它不仅包括了多种IoU损失函数的改进和变体&#xff0c;如SIoU、WIoU、GIoU、DIoU、EIOU、CIoU&#xff0c;还融合了“Alpha”思想&#xff0c;创造了一系列新的损失函数。这些组合形式的…

PyQt基础_007_ 按钮类控件QCombox

import sys from PyQt5.QtCore import * from PyQt5.QtGui import * from PyQt5.QtWidgets import *class ComboxDemo(QWidget):def __init__(self, parentNone):super(ComboxDemo, self).__init__(parent)self.setWindowTitle("combox 例子") self.resize(300, 90) …

手机一键“触达”!VR全景助力政务服务大厅数字升级

在我们的日常生活中&#xff0c;去政务服务大厅办事&#xff0c;总是避免不了遭遇“缺一样材料”的烦恼。因此网友总是吐槽&#xff0c;办事服务窗口总是多次要求提供不同证明&#xff0c;“一会儿说要身份证&#xff0c;一会儿又说要护照”&#xff0c;每次带上服务窗口要求的…

面试题背诵,回答的思路和模板,思路清晰

一、总体上 1、回答每个题目时&#xff0c;*最好能够联系项目的场景*&#xff08;前提是&#xff1a;你是知道的&#xff09;&#xff0c;这样会让对方很满意&#xff0c;这也是为什么&#xff0c;同样是回答上了&#xff0c;但是面试结果好坏不同。 2、回答时&#xff0c;一…

基于合成数据的行人检测AI模型训练

在线工具推荐&#xff1a; 三维数字孪生场景工具 - GLTF/GLB在线编辑器 - Three.js AI自动纹理化开发 - YOLO 虚幻合成数据生成器 - 3D模型在线转换 - 3D模型预览图生成服务 近年来&#xff0c;自动驾驶汽车因其对社会的广泛影响而越来越受欢迎&#xff0c;因为它们提高…

删除排序链表的重复元素I和II,多种解法和思考

删除排序链表的重复元素I https://leetcode.cn/problems/remove-duplicates-from-sorted-list/description/ 一个循环就可以了&#xff0c;如果当前节点和下一个节点值一样&#xff0c;当前节点不移动让next后移动一个&#xff0c;如果不一样则当前节点后移。 一个循环就可以…

代码混淆的原理和方法详解

代码混淆的原理和方法详解摘要移动App的广泛使用带来了安全隐患&#xff0c;为了保护个人信息和数据安全&#xff0c;开发人员通常会采用代码混淆技术。本文将详细介绍代码混淆的原理和方法&#xff0c;并探讨其在移动应用开发中的重要性。 引言随着移动应用的普及&#xff0c;…

【hacker送书第6期】深入理解Java核心技术

第6期图书推荐 内容简介作者简介精彩书评参与方式 内容简介 《深入理解Java核心技术&#xff1a;写给Java工程师的干货笔记&#xff08;基础篇&#xff09;》是《Java工程师成神之路》系列的第一本&#xff0c;主要聚焦于Java开发者必备的Java核心基础知识。全书共23章&#xf…

高级IO—poll,epoll,reactor

高级IO—poll,epoll,reactor 文章目录 高级IO—poll,epoll,reactorpoll函数poll函数接口poll服务器 epollepoll的系统调用epoll_createepoll_ctlepoll_wait epoll的工作原理epoll的工作方式水平触发边缘触发 epoll服务器 reactor poll函数 poll函数是一个用于多路复用的系统调…

STM32之定时器--PWM控制SG90舵机

目录 1、PWM介绍 1.STM32F103C8T6 PWM资源&#xff1a; 2.PWM输出模式 3.PWM周期与频率 4.不同IO口输出PWM相对应连接到定时器的那一路 2、sg90舵机介绍及实战 1.sg90舵机介绍 2.代码实现 1.codeMX配置 2.用到的HAL库函数 1.开始产生PWM信号 返回状态值 2.修改比较…

AST反混淆实战|hcaptcha验证码混淆js还原分析

关注它&#xff0c;不迷路。 本文章中所有内容仅供学习交流&#xff0c;不可用于任何商业用途和非法用途&#xff0c;否则后果自负&#xff0c;如有侵权&#xff0c;请联系作者立即删除&#xff01; 1.实战地址 https://newassets.hcaptcha.com/c/bc8c0a8/hsw.js 将上面…

Mysql——替换字段中指定字符(replace 函数)

一、简介 函数将字符串中出现的所有子字符串替换为新的子字符串。 REPLACE() 函数是基于字符的替换&#xff0c;并且替换字符串时是区分大小写的。 二、语法 这里是 MySQL REPLACE() 函数的语法&#xff1a; REPLACE(str, from_str, to_str)参数 str 必需的。 原字符串。 …

【华为OD题库-047】求最小步数-java

题目 求从坐标零点到坐标点n的最小步数&#xff0c;一次只能沿横坐标轴向左或向右移动2或3. 注意:途径的坐标点可以为负数 输入描述 坐标点n 输出描述 输出从坐标零点移动到坐标点n的最小步数 备注 1< n < 10^9 示例1: 输入 4 输出 2 说明 从坐标零点移动到4&#xff0c;…

Python+requests+Jenkins接口自动化测试实例

在做功能测试的基础上&#xff0c;我平时也会用postman测试接口&#xff0c;不过postman只能测试一个一个接口&#xff0c;不能连贯起来&#xff0c;特别是我们公司的接口很多都是要用到token的&#xff0c;导致我每次测个需要登录的接口都要去获取到token&#xff0c;做了很多…

Excle无法在受保护的视图中打开该文件

Excle无法在受保护的视图中打开该文件 解决方案&#xff1a;

MAC笔记本里Spyder python 的安装问题 和 虚拟环境VENV的创建

芙Spyder 作为python的开发环境还是很好用的&#xff0c;在MAC笔记本里直接下载Spyde安装即可。 安装完成以后目录在&#xff1a; /Applications/Spyder.app/Contents 此目录下有几个子目录如下&#xff1a; Frameworks Info.plist MacOS PkgInfo Resources…

【算法】链表-20231124

这里写目录标题 一、83. 删除排序链表中的重复元素二、206. 反转链表三、234. 回文链表 一、83. 删除排序链表中的重复元素 简单 1.1K 相关企业 给定一个已排序的链表的头 head &#xff0c; 删除所有重复的元素&#xff0c;使每个元素只出现一次 。返回 已排序的链表 。 示例…

Mybatis 使用枚举作为查询条件

&#x1f680; 作者主页&#xff1a; 有来技术 &#x1f525; 开源项目&#xff1a; youlai-mall &#x1f343; vue3-element-admin &#x1f343; youlai-boot &#x1f33a; 仓库主页&#xff1a; Gitee &#x1f4ab; Github &#x1f4ab; GitCode &#x1f496; 欢迎点赞…

(4)BUUCTF-web-[极客大挑战 2019]EasySQL1

前言&#xff1a; 觉得这个题目挺有意义的&#xff0c;因为最近在学数据库&#xff0c;但是不知道在现实中有什么应用&#xff0c;所以学起来也没有什么兴趣&#xff0c;做了这个题目&#xff0c;发现数据库还是挺有用处的&#xff0c;哈哈 知识点&#xff1a; mysql 中and和…