go的fasthttp学习

背景介绍

fasthttp was designed for some high performance edge cases.
Unless your server/client needs to handle thousands of small to medium requests per second and needs a consistent low millisecond response time fasthttp might not be for you.
For most cases net/http is much better as it’s easier to use and can handle more cases.
For most cases you won’t even notice the performance difference.

为一些高性能边缘情况而设计。除非服务器/客户端需要每秒处理数千个中小型请求(small to medium requests per second),并且需要一致的低毫秒响应时间,否则 fasthttp 可能不适合。
对于大多数情况,net/http 更好,因为它更易于使用并且可以处理更多情况。

Currently fasthttp is successfully used by VertaMedia in a production serving up to 200K rps from more than 1.5M concurrent keep-alive connections per physical server.
1台物理机1.5M的并发保活连接,200K的rps
(rps在互联网领域通常是指"Requests Per Second",每秒请求)

哪些是fasthttp的特性

Easily handles more than 100K qps and more than 1M concurrent keep-alive connections on modern hardware.
现代硬件架构下很容易处理超过100K qps、超过1M的并发连接

Optimized for low memory usage
低使用内存优化

Easy ‘Connection: Upgrade’ support via RequestCtx.Hijack.
Connection: Upgrade 很容易支持

Server provides the following anti-DoS limits:
S端提供了如下anti-DoS限制

  • The number of concurrent connections. 并发连接数
  • The number of concurrent connections per client IP. 每个C端IP的并发连接数
  • The number of requests per connection.每个连接的请求数
  • Request read timeout. 请求读超时
  • Response write timeout. 响应写超时
  • Maximum request header size. 最大请求header
  • Maximum request body size. 最大请求body
  • Maximum request execution time. 最大请求执行时长
  • Maximum keep-alive connection lifetime. 最大保活连接生命周期
  • Early filtering out non-GET requests.提早过滤非GET请求

A lot of additional useful info is exposed to request handler:
request handler中暴露出大量有用的额外信息

  • Server and client address. S/C地址
  • Per-request logger. 每次请求的日志
  • Unique request id. 唯一请求id
  • Request start time. 请求开始时间
  • Connection start time. 连接开始时间
  • Request sequence number for the current connection. 当前连接的请求序列号

Client supports automatic retry on idempotent requests’ failure. C支持幂等请求失败时自动重试

Fasthttp API is designed with the ability to extend existing client and server implementations or to write custom client and server implementations from scratch.
Fasthttp API 的设计能够扩展现有的客户端和服务器实现,或支持从头开始编写自定义客户端和服务器实现

个人理解:
看起来又是高并发、又是低内存使用、又是支持客制化的http、又是包含很多额外信息、又是支持大量反DOS的东西,不错不错

并发连接数限制

// ServeConn serves HTTP requests from the given connection.
//
// ServeConn returns nil if all requests from the c are successfully served.
// It returns non-nil error otherwise.
//
// Connection c must immediately propagate all the data passed to Write()
// to the client. Otherwise requests' processing may hang.
//
// ServeConn closes c before returning.
// 从给定的连接处理http请求
func (s *Server) ServeConn(c net.Conn) error {... ...n := atomic.AddUint32(&s.concurrency, 1) // 连接并发数+1if n > uint32(s.getConcurrency()) {atomic.AddUint32(&s.concurrency, ^uint32(0)) // 连接并发数-1c.Close()return ErrConcurrencyLimit}atomic.AddInt32(&s.open, 1)err := s.serveConn(c)atomic.AddUint32(&s.concurrency, ^uint32(0)) // 连接并发数-1... ...return err
}

默认的并发连接数

// 如果没设置并发连接数,则默认采用 DefaultConcurrency
// DefaultConcurrency is the maximum number of concurrent connections the Server may serve by default 
// (i.e. if Server.Concurrency isn't set).
const DefaultConcurrency = 256 * 1024

fasthttp的server定义

type Server struct {// The maximum number of concurrent connections the server may serve.//// DefaultConcurrency is used if not set.//// Concurrency only works if you either call Serve once, or only ServeConn multiple times.// It works with ListenAndServe as well.Concurrency int
}

每个C端的并发连接数限制

func wrapPerIPConn(s *Server, c net.Conn) net.Conn {// 读取连接c的RemoteAddr()ip := getUint32IP(c)if ip == 0 {return c}// 本地缓存中远端ip+1n := s.perIPConnCounter.Register(ip)if n > s.MaxConnsPerIP {s.perIPConnCounter.Unregister(ip)s.writeFastError(c, StatusTooManyRequests, "The number of connections from your ip exceeds MaxConnsPerIP")c.Close()return nil}return acquirePerIPConn(c, ip, &s.perIPConnCounter)
}

类型定义

type Server struct {// Maximum number of concurrent client connections allowed per IP.//// By default unlimited number of concurrent connections// may be established to the server from a single IP address.// 默认不限制MaxConnsPerIP intperIPConnCounter perIPConnCounter
}

本地缓存

type perIPConnCounter struct {pool sync.Pool // 存储下文的perIPConnlock sync.Mutexm    map[uint32]int // C端的ip计数保存在这里
}func (cc *perIPConnCounter) Register(ip uint32) int {cc.lock.Lock()if cc.m == nil {cc.m = make(map[uint32]int)}n := cc.m[ip] + 1cc.m[ip] = ncc.lock.Unlock()return n
}func (cc *perIPConnCounter) Unregister(ip uint32) {cc.lock.Lock()defer cc.lock.Unlock()if cc.m == nil {// developer safeguardpanic("BUG: perIPConnCounter.Register() wasn't called")}n := cc.m[ip] - 1if n < 0 {n = 0}cc.m[ip] = n
}

perIPConn的net.Conn

type perIPConn struct {net.Connip               uint32perIPConnCounter *perIPConnCounter
}func acquirePerIPConn(conn net.Conn, ip uint32, counter *perIPConnCounter) *perIPConn {v := counter.pool.Get()if v == nil {return &perIPConn{perIPConnCounter: counter,Conn:             conn,ip:               ip,}}c := v.(*perIPConn) // 从内容池获取c.Conn = connc.ip = ipreturn c
}func releasePerIPConn(c *perIPConn) {c.Conn = nilc.perIPConnCounter.pool.Put(c) // 归还到内容池
}

perIPConn的Close

// 什么时候close?当然是在net.Conn想close的时候
func (c *perIPConn) Close() error {err := c.Conn.Close() // 关闭连接c.perIPConnCounter.Unregister(c.ip) // 更新缓存计数releasePerIPConn(c) // 释放PerIPConn资源return err
}

低使用内存

大量运用 sync.Pool,比如上文的perIPConn

如何早过滤GET?

这个没找到,不会是在reqHandler中过滤吧

超时测试

func TimeoutHandler(h RequestHandler, timeout time.Duration, msg string) RequestHandler {return TimeoutWithCodeHandler(h, timeout, msg, StatusRequestTimeout)
}func TimeoutWithCodeHandler(h RequestHandler, timeout time.Duration, msg string, statusCode int) RequestHandler {if timeout <= 0 {return h}// 返回一个什么样的 RequestHandler?// 先往server的concurrencyCh中写struct{}{},写失败则填充statusCode=429,并发请求过多// ctx中创建一个缓存为1的ch,开启子协程执行:h(ctx),ch写入(标识h执行完成),server的concurrencyCh中读出// 主协程初始化定时器ctx.timeoutTimer// ch先来则不做处理,ctx.timeoutTimer.C先来则填充statusCode为传入的statusCode,body为传入的msg// 最后关闭ctx.timeoutTimerreturn func(ctx *RequestCtx) {concurrencyCh := ctx.s.concurrencyChselect {case concurrencyCh <- struct{}{}:default:ctx.Error(msg, StatusTooManyRequests)return}ch := ctx.timeoutChif ch == nil {ch = make(chan struct{}, 1)ctx.timeoutCh = ch}go func() {h(ctx)ch <- struct{}{}<-concurrencyCh}()ctx.timeoutTimer = initTimer(ctx.timeoutTimer, timeout)select {case <-ch:case <-ctx.timeoutTimer.C:ctx.TimeoutErrorWithCode(msg, statusCode)}stopTimer(ctx.timeoutTimer)}
}func TestTimeoutHandlerSuccess(t *testing.T) {t.Parallel()ln := fasthttputil.NewInmemoryListener()h := func(ctx *RequestCtx) {if string(ctx.Path()) == "/" {ctx.Success("aaa/bbb", []byte("real response"))}}s := &Server{// 一个什么样的 RequestHandler?// 先往server的concurrencyCh中写struct{}{},写失败则填充statusCode=429,并发请求过多// ctx中创建一个缓存为1的ch,开启子协程执行:h(ctx),ch写入(标识h执行完成),server的concurrencyCh中读出// 主协程初始化定时器ctx.timeoutTimer// ch先来则不做处理,ctx.timeoutTimer.C先来则填充statusCode为传入的408,body为传入的timeout!!!// 最后关闭ctx.timeoutTimerHandler: TimeoutHandler(h, 10*time.Second, "timeout!!!"),}// serverCh 标识子协程是否处理结束,主协程要监控它,子协程在执行完后close(serverCh),发送0值给chanserverCh := make(chan struct{})go func() {if err := s.Serve(ln); err != nil {t.Errorf("unexpected error: %v", err)}close(serverCh)}()concurrency := 20clientCh := make(chan struct{}, concurrency)for i := 0; i < concurrency; i++ {go func() {// Dial creates new client<->server connection.// Just like a real Dial it only returns once the server has accepted the connection.// It is safe calling Dial from concurrently running goroutines.conn, err := ln.Dial()if err != nil {t.Errorf("unexpected error: %v", err)}if _, err = conn.Write([]byte("GET / HTTP/1.1\r\nHost: google.com\r\n\r\n")); err != nil {t.Errorf("unexpected error: %v", err)}br := bufio.NewReader(conn)verifyResponse(t, br, StatusOK, "aaa/bbb", "real response")clientCh <- struct{}{}}()}for i := 0; i < concurrency; i++ {select {case <-clientCh: // 客户端连接子协程执行完成case <-time.After(time.Second): // 超时t.Fatal("timeout")}}if err := ln.Close(); err != nil {t.Fatalf("unexpected error: %v", err)}select {case <-serverCh: // s.Serve(ln)先执行完,则不做处理,case <-time.After(time.Second):t.Fatal("timeout")}
}func TestTimeoutHandlerTimeout(t *testing.T) {t.Parallel()ln := fasthttputil.NewInmemoryListener()readyCh := make(chan struct{})doneCh := make(chan struct{}) // 无缓冲,只要发送侧ready,接收侧才readyh := func(ctx *RequestCtx) {ctx.Success("aaa/bbb", []byte("real response"))// 默认耗时20ms仍未完成的操作,测试做完,主协程才close// 服务端协程卡在这里期间,返回超时fmt.Println("handler before readyCh")<-readyChfmt.Println("handler after readyCh")doneCh <- struct{}{}}s := &Server{Handler: TimeoutHandler(h, 20*time.Millisecond, "timeout!!!"),}serverCh := make(chan struct{})go func() {// 设置好服务端监听if err := s.Serve(ln); err != nil {t.Errorf("unexpected error: %v", err)}close(serverCh)}()// 客户端执行concurrency := 20clientCh := make(chan struct{}, concurrency)for i := 0; i < concurrency; i++ {go func() {conn, err := ln.Dial()if err != nil {t.Errorf("unexpected error: %v", err)}if _, err = conn.Write([]byte("GET / HTTP/1.1\r\nHost: google.com\r\n\r\n")); err != nil {t.Errorf("unexpected error: %v", err)}br := bufio.NewReader(conn)// 验证responseverifyResponse(t, br, StatusRequestTimeout, string(defaultContentType), "timeout!!!")clientCh <- struct{}{}}()}for i := 0; i < concurrency; i++ {select {case <-clientCh: // 客户端都执行完fmt.Println("main clientCh finish")case <-time.After(time.Second):t.Fatal("timeout")}}close(readyCh) // 一次close惊醒了全部的卡住的handler,牛哇for i := 0; i < concurrency; i++ {select {case <-doneCh: // 服务端handler都执行完,打印20遍,监听到20个消息fmt.Println("main handler finish")case <-time.After(time.Second):t.Fatal("timeout")}}// 关闭监听if err := ln.Close(); err != nil {t.Fatalf("unexpected error: %v", err)}// 服务端执行结束,预期不超过1秒select {case <-serverCh:case <-time.After(time.Second):t.Fatal("timeout")}
}func verifyResponse(t *testing.T, r *bufio.Reader, expectedStatusCode int, expectedContentType, expectedBody string) *Response {var resp Responseif err := resp.Read(r); err != nil {t.Fatalf("Unexpected error when parsing response: %v", err)}if !bytes.Equal(resp.Body(), []byte(expectedBody)) {t.Fatalf("Unexpected body %q. Expected %q", resp.Body(), []byte(expectedBody))}verifyResponseHeader(t, &resp.Header, expectedStatusCode, len(resp.Body()), expectedContentType, "")return &resp
}func verifyResponseHeader(t *testing.T, h *ResponseHeader, expectedStatusCode, expectedContentLength int, expectedContentType, expectedContentEncoding string) {if h.StatusCode() != expectedStatusCode {t.Fatalf("Unexpected status code %d. Expected %d", h.StatusCode(), expectedStatusCode)}if h.ContentLength() != expectedContentLength {t.Fatalf("Unexpected content length %d. Expected %d", h.ContentLength(), expectedContentLength)}if string(h.ContentType()) != expectedContentType {t.Fatalf("Unexpected content type %q. Expected %q", h.ContentType(), expectedContentType)}if string(h.ContentEncoding()) != expectedContentEncoding {t.Fatalf("Unexpected content encoding %q. Expected %q", h.ContentEncoding(), expectedContentEncoding)}
}

TCP_DEFER_ACCEPT

TCP 套接字选项,用于告诉内核直到数据已经准备好被读取后,才接受一个连接。
这样可以避免一些无用的连接唤醒,只有当真的有数据来到时,应用程序才会被唤醒处理连接。
这个选项主要用于在高并发、低延迟的环境中,减少不必要的系统负载。

在一个 TCP 连接建立之后,如果没有立即收到数据,那么这个连接就可能是一个空连接或者是一个攻击
浪费系统资源
通过设置 TCP_DEFER_ACCEPT,内核可以筛选掉这部分无效的连接,提高系统性能。
have positive impact on performance

TCP_FASTOPEN - TFO

在TCP层上的的优化手段,旨在减少网络应用在建立TCP连接时的延迟。它的主要原理是通过允许数据在初始的SYN段中发送来减少传统三次握手建立TCP连接所需的往返次数。这样,就可以消除一个完整的往返时延,从而改善网络的性能。
TFO在2011年被引入Linux内核,并已被许多后续的UNIX和类UNIX系统以及Windows Server 2018采用。
Google的Chrome浏览器和许多Google服务器也使用了这一技术。

虽然TFO能够提高性能,但也可能导致一些安全问题
例如防火墙的规避和抵御SYN洪泛攻击的困难等。
因此,任何决定启用TFO的系统都必须采取相应的安全措施。

通过 RequestCtx.Hijack 轻易支持 HTTP 的 Connection: Upgrade

"Connection: Upgrade"是HTTP协议中的一个头信息,用于从当前的协议切换到其他协议
例如,从HTTP切换到Websocket
RequestCtx.Hijack是一种控制方案,允许接管HTTP连接并发送自定义字节,常用在实现长连接协议(如WebSocket)上

hijack示例

package mainimport ("fmt""log""net""github.com/valyala/fasthttp"
)func main1() {// hijackHandler is called on hijacked connection.hijackHandler := func(c net.Conn) {fmt.Fprintf(c, "This message is sent over a hijacked connection to the client %s\n", c.RemoteAddr())fmt.Fprintf(c, "Send me something and I'll echo it to you\n")var buf [1]bytefor {if _, err := c.Read(buf[:]); err != nil {log.Printf("error when reading from hijacked connection: %v", err)return}fmt.Fprintf(c, "You sent me %q. Waiting for new data\n", buf[:])}}// requestHandler is called for each incoming request.requestHandler := func(ctx *fasthttp.RequestCtx) {path := ctx.Path()switch {case string(path) == "/hijack":// Note that the connection is hijacked only after// returning from requestHandler and sending http response.ctx.Hijack(hijackHandler)// The connection will be hijacked after sending this response.fmt.Fprintf(ctx, "Hijacked the connection!")case string(path) == "/":fmt.Fprintf(ctx, "Root directory requested")default:fmt.Fprintf(ctx, "Requested path is %q", path)}}if err := fasthttp.ListenAndServe(":8081", requestHandler); err != nil {log.Fatalf("error in ListenAndServe: %v", err)}
}

附录

go的一个类如何设置禁止拷贝

type noCopy struct{}func (*noCopy) Lock()   {}
func (*noCopy) Unlock() {}type Server struct {// It is forbidden copying Server instances. Create new Server instances// instead.noCopy noCopy // 私有类型和其私有方法
}

牛逼的代码连减1都这么清晰脱俗

var concurrency uint32
concurrency = 2
atomic.AddUint32(&concurrency, ^uint32(0))
fmt.Println(concurrency) // 1
concurrency = 200
atomic.AddUint32(&concurrency, ^uint32(0))
fmt.Println(concurrency) // 199
concurrency = 0
atomic.AddUint32(&concurrency, ^uint32(0))
fmt.Println(concurrency) // 4294967295

计算机世界中,无符号的三位相加:

011 + 111 = 010 => 3-1=2

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

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

相关文章

【Stable Diffusion】入门-04:不同模型分类+代表作品+常用下载网站+使用技巧

目录 1 模型简介2 模型文件构成和加载位置2.1 存储位置2.2 加载模型 3 模型下载渠道3.1 HuggingFace3.2 Civitai 4 模型分类4.1 二次元模型4.2 写实模型4.3 2.5D模型 1 模型简介 拿图片给模型训练的这个过程&#xff0c;通常被叫做“喂图”。模型学习的内容不仅包括对具体事物…

Linux中 vim 编辑器的使用

文章目录 前言一、vim编辑器模式二、简单的插入、保存和退出三、 命令模式下常用命令即其作用1. 命令模式 思维导图 前言 首先&#xff0c;了解一下 什么是vim 编辑器&#xff1f;在不同的系统中&#xff0c;文本的管理也会不同&#xff1b;windos系统就不多说了&#xff0c…

compile→错误: 不支持发行版本 17

错误: 不支持发行版本 17 具体错误描述如下&#xff1a; [ERROR] Failed to execute goal org.apache.maven.plugins:maven-compiler-plugin:3.11.0:compile (default-compile) on project big-event: Fatal error compiling: 错误: 不支持发行版本 17 -> [Help 1] [ERROR] …

简易版 RPC 框架实现 1.0 -http实现

RPC 是“远程过程调用&#xff08;Remote Procedure Call&#xff09;”的缩写形式&#xff0c;比较通俗的解释是&#xff1a;像本地方法调用一样调用远程的服务。虽然 RPC 的定义非常简单&#xff0c;但是相对完整的、通用的 RPC 框架涉及很多方面的内容&#xff0c;例如注册发…

Redisson 分布式锁原理分析

Redisson 分布式锁原理分析 示例程序 示例程序&#xff1a; public class RedissonTest {public static void main(String[] args) {Config config new Config();config.useSingleServer().setPassword("123456").setAddress("redis://127.0.0.1:6379"…

cool 中的Midway ----node.js的TypeORM的使用

1.介绍 TypeORM | Midway TypeORM 是 node.js 现有社区最成熟的对象关系映射器&#xff08;ORM &#xff09;。本文介绍如何在 Midway 中使用 TypeORM 相关信息&#xff1a; 描述可用于标准项目✅可用于 Serverless✅可用于一体化✅包含独立主框架❌包含独立日志❌ 和老写…

第二十四天-数据可视化Matplotlib

目录 1.介绍 2.使用 1. 安装&#xff1a; 2.创建简单图表 3.图表类型 1.一共分为7类 2.变化 1.折线图 3.分布 ​编辑 1.直方图 2.箱型图 4.关联 1. 散点图&#xff1a; 2.热力图&#xff1a; 5.组成 1.饼图 2.条形图 6.分组 1.簇型散点图 2.分组条形图 3.分…

JOSEF约瑟 TQ-100同期继电器 额定直流电压220V 交流电压100V±10V

TQ-100型同期继电器 TQ-100同期继电器 ​ l 应用 本继电器用于双端供电线路的自动重合闸和备用电源自投装置中&#xff0c;以检查线路电压与母线电压的 相位差和幅值差。 2 主要性能 2 1采用进口集成电路和元器件构成&#xff0c;具有原理先进、性能稳定、可靠性高、动作值精…

Git版本管理--远程仓库

前言&#xff1a; 本文记录学习使用 Git 版本管理工具的学习笔记&#xff0c;通过阅读参考链接中的博文和实际操作&#xff0c;快速的上手使用 Git 工具。 本文参考了引用链接博文里的内容。 引用: 重学Git-Git远程仓库管理_git remote add origin-CSDN博客 Git学习笔记&am…

[自研开源] MyData 数据集成之数据过滤 v0.7.2

开源地址&#xff1a;gitee | github 详细介绍&#xff1a;MyData 基于 Web API 的数据集成平台 部署文档&#xff1a;用 Docker 部署 MyData 使用手册&#xff1a;MyData 使用手册 试用体验&#xff1a;https://demo.mydata.work 交流Q群&#xff1a;430089673 概述 本篇基于…

javaEE——线程的等待和结束

文章目录 Thread 类及常见方法启动一个线程中断一个线程变量型中断调用 interrupt() 方法来通知观察标志位是否被清除 等待一个线程获取当前线程引用休眠当前线程 线程的状态观察线程的所有状态观察 1: 关注 NEW 、 RUNNABLE 、 TERMINATED 状态的切换 多线程带来的风险为什么会…

【大模型系列】问答理解定位(Qwen-VL/Llama2/GPT)

文章目录 1 Qwen-VL(2023, Alibaba)1.1 网络结构1.2 模型训练 2 Llama2(2023, Meta)2.1 网络结构2.1.1 MHA/GQA/MQA2.1.2 RoPE(Rotary Position Embedding, 旋转式位置编码)2.1.3 RMSNorm 2.2 推理2.2.1 集束搜索(beam search)2.2.2 RoPE外推 3 GPT系列(OpenAI) 1 Qwen-VL(2023…

android中单例模式为什么会引起内存泄漏?

单例模式使用不恰当会造成内存泄漏。因为单例的静态特性使得单例的生命周期和应用的生命周期一样长&#xff0c; 如果一个对象已经不需要使用了&#xff0c;但是单例对象还持有该对象的引用&#xff0c;那么这个对象就不能被正常回收&#xff0c;因此会导致内存泄漏。 举个例子…

【数据可视化】使用Python + Gephi,构建中医方剂关系网络图!

代码和示例数据下载 前言 在这篇文章中&#xff0c;我们将会可视化 《七版方剂学》 的药材的关系&#xff0c;我们将使用Python制作节点和边的数据&#xff0c;然后在Gephi中绘制出方剂的网络图。 Gephi是一个专门用于构建网络图的工具&#xff0c;只要你能提供节点和边的数…

机器学习算法在数据挖掘中的应用

在数据挖掘的实践中&#xff0c;各种机器学习算法都扮演着重要的角色&#xff0c;它们能够从数据中学习规律和模式&#xff0c;并用于预测、分类、聚类等任务。以下是几种常见的机器学习算法以及它们在数据挖掘任务中的应用场景和优缺点。 1. 决策树&#xff08;Decision Tree…

Golang的CSP模型讲解

一.CSP是什么 CSP 是 Communicating Sequential Process 的简称&#xff0c;中文可以叫做通信顺序进程&#xff0c;是一种并发编程模型&#xff0c;是一个很强大的并发数据模型&#xff0c;是上个世纪七十年代提出的&#xff0c;用于描述两个独立的并发实体通过共享的通讯chann…

Stable Diffusion科普文章【附升级gpt4.0秘笈】

随着人工智能技术的飞速发展&#xff0c;我们越来越多地看到计算机生成的艺术作品出现在我们的生活中。其中&#xff0c;Stable Diffusion作为一种创新的图像生成技术&#xff0c;正在引领一场艺术创作的革命。本文将为您科普Stable Diffusion的相关知识&#xff0c;带您走进这…

微信小程序睡眠X秒【while循环模式】

// 微信小程序睡眠X秒sleep(numberMillis) { var now new Date(); var exitTime now.getTime() numberMillis; while (true) { now new Date(); if (now.getTime() > exitTime) {return;}} }, // 微信小程序睡眠X秒 this.sleep(2000); 参考&#xff1a;微信小程序睡眠…

Linux/Ubuntu/Debian控制台启动的程序和terminal分离的方法-正在运行怎么关闭窗口

disown 是一个 shell 内置函数&#xff0c;它从 shell 的作业表中删除指定的作业&#xff0c;使它们免受挂起的影响。 使用方法如下&#xff1a; 首先&#xff0c;正常运行命令&#xff1a; 你的命令然后&#xff0c;按 Ctrl Z 暂停命令。 现在&#xff0c;运行&#xff…

MT1069 圆切平面

n个圆最多把平面分成几部分&#xff1f;输入圆的数量N&#xff0c;问最多把平面分成几块。比如一个圆以把一个平面切割成2块。 不考虑负数&#xff0c;0或者其他特殊情况。 格式 输入格式&#xff1a;输入为整型 输出格式&#xff1a;输出为整型 样例 1 输入&#xff1a; …