• Golang倒腾一款简配的具有请求排队功能的并发受限服务器

Golang倒腾一款简配的具有请求排队功能的并发受限服务器

2025-04-26 11:17:13 2 阅读

golang官方指南[1]给了一些代码片段,层层递进演示了信道的能力:

1>. 信号量
2>. 限流能力

var sem = make(chan int, MaxOutstanding) 
 
func Serve(queue chan *Request) {
    for req := range queue {
        req:= req
        sem <- 1   
        go func() {   // 只会开启MaxOutstanding个并发协程
            process(req)
            <-sem
        }()
    }
}

上面出现了两个信道:

① sem 提供了限制服务端并发处理请求的信号量
② queue 提供了一个客户端请求队列,起媒介/解耦的作用


进一步指南给出了信道的另一个用法: 3>. 解多路复用

多路复用是网络编程中一个耳熟能详的概念,nginx redis等高性能web、内存kv都用到了这个技术 。

这个解多路复用是怎么理解呢?

离散/独立/并发的客户端请求被服务端Serve收敛之后, Serve就起到了多路复用的概念,在Request定义resultChan信道,就给每个客户端请求提供了独立获取请求结果的能力,这便是一种解多路复用。


从实际效果看这就是常见的互联网web服务器:一款具备请求排队功能的并发限流服务器

官方指南并没有完整实现客户端和服务器端工程。

下面是我的工程化实现, 记录实践中遇到的问题。

并发受限服务器

  • 信道queue接收客户端请求,解耦客户端和服务器,天然具备排队能力

  • 信号量信道sem提供了并发受限的能力

  • 服务器处理完,向解多路复用信道req.resultChan写入响应结果。

/* 实现一个有请求队列功能的并发请求受限服务器*/

package main

import (
 "fmt"
 "sync"
 "time"
)

var sem = make(chan int, Maxoutstanding)

var wg2 sync.WaitGroup

func server(queue chan *Request) {
 fmt.Printf("Server is already, listen req 
")

 for req := range queue {
 req := req
 sem <- 1

 wg2.Add(1)
 go func() {
 defer wg2.Done()
 process(req)
 <-sem
 }()
 }
}

func process(req *Request) {
 s := sum(req.args)
 req.resultChan <- s
}
func sum(a []int) (s int) {
 for i := 1; i <= a[0]; i++ {
 s += i
 }
 time.Sleep(time.Millisecond * 20)
 return s
}

time.Sleep模拟服务器处理请求单次耗时20ms, 输出数字的累加,
eg: input: 100;
output: (1+100)/2*100 =5050

wg2 sync.WaitGroup是一个动态活跃的Goroutine计数器,注意用法和位置,wg2的作用是:等待所有请求处理完成。

并发客户端请求

for循环开启并发客户端请求,

  • 每个请求入驻一个独立的Goroutine,独立向信道queue投递请求和接收响应

package main

import (
 "fmt"
 "sync"
)

type Request struct {
 args       []int
 resultChan chan int
}

var wg1 sync.WaitGroup

func clients() {
 fmt.Printf("start %d concurrency client request
 ", concurrencyClients)
 for i := 1; i <= concurrencyClients; i++ {
 r := &Request{
 args:       []int{i},
 resultChan: make(chan int),
 }
 wg1.Add(1)
 go ClientReq(r)
 }
 wg1.Wait() 

}

func ClientReq(r *Request) {
 defer wg1.Done()
 queue <- r
 go func() {
 res := <-r.resultChan
 fmt.Printf("current args is %d, the result is %d 
", r.args[0], res)
 }()
}

wg1 WaitGroup的目的是确保所有的客户端请求都已经发出,之后客户端任务结束,所以此处我们新开Goroutine处理响应结果(这里又有闭包的参与)。

工程化

工程化代码的先后顺序,决定了代码是否死锁。
server需要处于监听状态,故先启动。

本处clients在主协程整体上是同步发送,如果放在clients()的后面,clients内的wg1可能会有部分请求Goroutine阻塞在信道queue, 且没法唤醒, 运行时会检测出报死锁。

package main

import (
 "fmt"
 "time"
)

var concurrencyClients = 1000
var queueLength = 100
var queue = make(chan *Request, queueLength) // 请求队列长度
var Maxoutstanding int = 10                  // 服务器并发受限10

func main() {

 go server(queue)
 var start = time.Now()

 clients() // 确保所有的请求都已经发出去

 wg2.Wait() // 确保服务器处理完所有的请求
 fmt.Printf("客户端并发%d请求,服务器请求队列长度%d,服务器限流%d,总共耗时%d ms 
", concurrencyClients, queueLength, Maxoutstanding, time.Since(start).Milliseconds())
}

上面出现了3个配置变量
1>.  客户端并发请求数量concurrencyClients=100
2>.  服务器排队队列长度queueLength=100, 会作用到信道queue
3>.  服务器并发受限阈值Maxoutstanding=10

start 1000 concurrency client request
 Server is already, listen req 
current args is 14, the result is 105 
current args is 2, the result is 3 
current args is 3, the result is 6 
current args is 1, the result is 1 
current args is 4, the result is 10 
current args is 8, the result is 36 
current args is 6, the result is 21 
current args is 12, the result is 78 
current args is 5, the result is 15 
current args is 7, the result is 28 
current args is 18, the result is 171 
current args is 16, the result is 136 
current args is 15, the result is 120 
current args is 20, the result is 210 
current args is 19, the result is 190 
current args is 13, the result is 91 
current args is 21, the result is 231 
current args is 10, the result is 55 
current args is 17, the result is 153 
current args is 9, the result is 45 
current args is 22, the result is 253 
current args is 28, the result is 406 
current args is 27, the result is 378 
current args is 11, the result is 66 
current args is 26, the result is 351 
current args is 30, the result is 465 
current args is 23, the result is 276 
current args is 25, the result is 325 
current args is 29, the result is 435 
current args is 24, the result is 300 
current args is 31, the result is 496 
current args is 34, the result is 595 
current args is 38, the result is 741 
current args is 36, the result is 666 
current args is 41, the result is 861 
current args is 32, the result is 528 
current args is 35, the result is 630 
current args is 33, the result is 561 
current args is 37, the result is 703 
current args is 39, the result is 780 
current args is 52, the result is 1378 
current args is 46, the result is 1081 
current args is 47, the result is 1128 
current args is 49, the result is 1225 
current args is 45, the result is 1035 
current args is 43, the result is 946 
current args is 48, the result is 1176 
current args is 40, the result is 820 
current args is 42, the result is 903 
current args is 44, the result is 990 
current args is 59, the result is 1770 
current args is 55, the result is 1540 
current args is 53, the result is 1431 
current args is 57, the result is 1653 
current args is 51, the result is 1326 
current args is 54, the result is 1485 
current args is 50, the result is 1275 
current args is 56, the result is 1596 
current args is 58, the result is 1711 
current args is 60, the result is 1830 
current args is 66, the result is 2211 
current args is 63, the result is 2016 
current args is 70, the result is 2485 
current args is 62, the result is 1953 
current args is 61, the result is 1891 
current args is 65, the result is 2145 
current args is 67, the result is 2278 
current args is 64, the result is 2080 
current args is 68, the result is 2346 
current args is 69, the result is 2415 
current args is 76, the result is 2926 
current args is 77, the result is 3003 
current args is 71, the result is 2556 
current args is 80, the result is 3240 
current args is 75, the result is 2850 
current args is 74, the result is 2775 
current args is 73, the result is 2701 
current args is 72, the result is 2628 
current args is 78, the result is 3081 
current args is 81, the result is 3321 
current args is 89, the result is 4005 
current args is 83, the result is 3486 
current args is 88, the result is 3916 
current args is 82, the result is 3403 
current args is 79, the result is 3160 
current args is 86, the result is 3741 
current args is 84, the result is 3570 
current args is 90, the result is 4095 
current args is 85, the result is 3655 
current args is 87, the result is 3828 
current args is 101, the result is 5151 
current args is 92, the result is 4278 
current args is 94, the result is 4465 
current args is 93, the result is 4371 
current args is 98, the result is 4851 
current args is 91, the result is 4186 
current args is 99, the result is 4950 
current args is 100, the result is 5050 
current args is 95, the result is 4560 
current args is 96, the result is 4656 
current args is 109, the result is 5995 
current args is 107, the result is 5778 
current args is 108, the result is 5886 
current args is 102, the result is 5253 
current args is 103, the result is 5356 
current args is 106, the result is 5671 
current args is 105, the result is 5565 
current args is 104, the result is 5460 
current args is 111, the result is 6216 
current args is 97, the result is 4753 
current args is 120, the result is 7260 
current args is 112, the result is 6328 
current args is 113, the result is 6441 
current args is 114, the result is 6555 
current args is 110, the result is 6105 
current args is 119, the result is 7140 
current args is 115, the result is 6670 
current args is 117, the result is 6903 
current args is 116, the result is 6786 
current args is 118, the result is 7021 
current args is 123, the result is 7626 
current args is 122, the result is 7503 
current args is 130, the result is 8515 
current args is 121, the result is 7381 
current args is 126, the result is 8001 
current args is 129, the result is 8385 
......
current args is 988, the result is 488566 
current args is 992, the result is 492528 
current args is 976, the result is 476776 
current args is 984, the result is 484620 
current args is 995, the result is 495510 
current args is 999, the result is 499500 
current args is 1000, the result is 500500 
current args is 990, the result is 490545 
客户端并发1000请求,服务器请求队列长度100,服务器限流10,总共耗时2099 ms

读者可以随意调整3个参数的大小,来感受服务器调参的魅力。

并发客户端请求数concurrencyClients

服务器请求队列queueLength

服务器限流阈值 Maxoutstanding

耗时ms

1000

100

10

2067

1000

100

50

454

1000

100

100

210

1000

300

10

2082

1000

500

10

2071

3000

100

10

6259

5000

500

10

10516

完整代码传送门[2]

That’s All,本文根据golang有关信道的指南, 实现了一个带有请求队列功能的并发受限服务器, 巩固了信道、WaitGroup的用法。

参考资料

[1] 

golang官方指南: https://go.dev/doc/effective_go

[2] 

完整代码传送门: https://github.com/zwbdzb/go_sample1

本篇文字和图片均为原创,读者可结合图片探索源码, 欢迎反馈 ~。。~。欢迎添加微信号 niumabujuan 交流撕逼。 

一种基于etcd实践节点自动故障转移的思路

一次sql请求,返回分页数据和总条数

http请求超时,底层发生了什么?

两将军问题和TCP三次握手

字节二面:你怎么理解信道是Golang中的顶级公民

三张大图剖析HttpClient和IHttpClientFactory在DNS解析问题上的殊途同归

点“戳“在看

本文地址:https://www.vps345.com/1810.html

搜索文章

Tags

PV计算 带宽计算 流量带宽 服务器带宽 上行带宽 上行速率 什么是上行带宽? CC攻击 攻击怎么办 流量攻击 DDOS攻击 服务器被攻击怎么办 源IP 服务器 linux 运维 游戏 云计算 javascript 前端 chrome edge ssh deepseek Ollama 模型联网 API CherryStudio python MCP 进程 操作系统 进程控制 Ubuntu llama 算法 opencv 自然语言处理 神经网络 语言模型 ubuntu 数据库 centos oracle 关系型 安全 分布式 numpy adb nginx 监控 自动化运维 阿里云 网络 网络安全 网络协议 harmonyos 华为 开发语言 typescript 计算机网络 django fastapi flask web3.py flutter macos 笔记 C 环境变量 进程地址空间 react.js 前端面试题 node.js 持续部署 Dell R750XS 科技 ai java 人工智能 个人开发 rust http mcp mcp-proxy mcp-inspector fastapi-mcp agent sse 统信 国产操作系统 虚拟机安装 websocket .net golang 后端 gitlab c++ 多线程服务器 Linux网络编程 pycharm 深度学习 conda pillow json html5 firefox android kubernetes 容器 学习方法 经验分享 程序人生 windows 搜索引擎 github 创意 社区 docker DeepSeek-R1 API接口 Docker Compose docker compose docker-compose 串口服务器 Flask FastAPI Waitress Gunicorn uWSGI Uvicorn RTSP xop RTP RTSPServer 推流 视频 kvm 无桌面 命令行 Hyper-V WinRM TrustedHosts matlab YOLOv8 NPU Atlas800 A300I pro asi_bench Deepseek mount挂载磁盘 wrong fs type LVM挂载磁盘 Centos7.9 ecm bpm unity c# ansible playbook IIS .net core Hosting Bundle .NET Framework vs2022 es jvm udp php html tcp/ip 深度优先 图论 并集查找 换根法 树上倍增 ddos ollama llm 机器学习 chatgpt 大模型 llama3 Chatglm 开源大模型 zotero WebDAV 同步失败 代理模式 c语言 vue.js audio vue音乐播放器 vue播放音频文件 Audio音频播放器自定义样式 播放暂停进度条音量调节快进快退 自定义audio覆盖默认样式 YOLO pytorch spring sql KingBase 银河麒麟 kylin v10 麒麟 v10 spring boot tomcat ESP32 LDAP ide nuxt3 vue3 实时音视频 filezilla 无法连接服务器 连接被服务器拒绝 vsftpd 331/530 自动化 蓝耘科技 元生代平台工作流 ComfyUI 面试 性能优化 jdk intellij-idea 架构 大数据 kylin 编辑器 根服务器 腾讯云 智能路由器 spring cloud kafka hibernate 运维开发 minio kamailio sip VoIP sqlserver vscode 医疗APP开发 app开发 uni-app Linux ukui 麒麟kylinos openeuler 微服务 计算机视觉 kind maven 游戏程序 低代码 AI编程 AIGC AI大模型 大模型入门 大模型教程 webrtc remote-ssh git jmeter 软件测试 需求分析 规格说明书 远程工作 mysql openEuler android studio 安装教程 GPU环境配置 Ubuntu22 CUDA PyTorch Anaconda安装 ruoyi springboot Nuxt.js apache 孤岛惊魂4 恒源云 java-ee tcp RTMP 应用层 AI 爬虫 数据集 ios big data express okhttp CORS 跨域 雨云 NPS web安全 安全架构 MQTT 消息队列 qt microsoft https oneapi 大模型微调 open webui Headless Linux uniapp mongodb LORA 大语言模型 NLP pdf asp.net大文件上传 asp.net大文件上传下载 asp.net大文件上传源码 ASP.NET断点续传 asp.net上传文件夹 asp.net上传大文件 .net core断点续传 华为认证 网络工程师 交换机 开源 fpga开发 visualstudio zookeeper debian live555 rtsp rtp shell GaN HEMT 氮化镓 单粒子烧毁 辐射损伤 辐照效应 嵌入式硬件 驱动开发 硬件工程 嵌入式实习 电脑 交互 WSL win11 无法解析服务器的名称或地址 v10 镜像源 软件 armbian u-boot ssl stm32 单片机 EasyConnect Cline ecmascript nextjs react reactjs 流式接口 URL 代码调试 ipdb ftp ssrf 失效的访问控制 HTML audio 控件组件 vue3 audio音乐播放器 Audio标签自定义样式默认 vue3播放音频文件音效音乐 自定义audio播放器样式 播放暂停调整声音大小下载文件 MI300x DeepSeek virtualenv arm openwrt ux 多线程 云原生 k8s LLM Web APP Streamlit hadoop opensearch helm 学习 xrdp 远程桌面 远程连接 string模拟实现 深拷贝 浅拷贝 经典的string类问题 三个swap 游戏服务器 TrinityCore 魔兽世界 开发环境 SSL证书 sysctl.conf vm.nr_hugepages Python 网络编程 聊天服务器 套接字 TCP 客户端 Socket 小程序 svn excel 源码剖析 rtsp实现步骤 流媒体开发 odoo 服务器动作 Server action 能力提升 面试宝典 技术 IT信息化 TRAE prometheus 银河麒麟操作系统 国产化 rpc 远程过程调用 Windows环境 vim 直播推流 rsyslog redis 高效日志打印 串口通信日志 服务器日志 系统状态监控日志 异常记录日志 媒体 微信公众平台 中间件 重启 排查 系统重启 日志 原因 C语言 ipython 物联网 JAVA IDEA Java FTP服务器 3d 数学建模 idm 联想开天P90Z装win10 jenkins ci/cd DigitalOcean GPU服务器购买 GPU服务器哪里有 GPU服务器 网络结构图 企业微信 Linux24.04 deepin gitee av1 电视盒子 机顶盒ROM 魔百盒刷机 Agent 服务器繁忙 统信UOS 麒麟 bonding 链路聚合 压力测试 tailscale derp derper 中转 C++软件实战问题排查经验分享 0xfeeefeee 0xcdcdcdcd 动态库加载失败 程序启动失败 程序运行权限 标准用户权限与管理员权限 Minecraft 课程设计 cursor Linux PID MCP server C/S LLM windows日志 agi gpu算力 负载均衡 unix 其他 报错 H3C iDRAC R720xd 命名管道 客户端与服务端通信 Cursor go 硬件架构 系统架构 服务器无法访问 ip地址无法访问 无法访问宝塔面板 宝塔面板打不开 目标检测 华为云 springsecurity6 oauth2 授权服务器 前后端分离 jar FunASR ASR 佛山戴尔服务器维修 佛山三水服务器维修 file server http server web server 集成学习 集成测试 pygame 小游戏 五子棋 rdp 实验 Spring Security 5G 3GPP 卫星通信 1024程序员节 bash 僵尸进程 系统安全 eureka mysql离线安装 ubuntu22.04 mysql8.0 ffmpeg 音视频 UOS 统信操作系统 yum 权限 oceanbase rc.local 开机自启 systemd 温湿度数据上传到服务器 Arduino HTTP MNN Qwen 备份SQL Server数据库 数据库备份 傲梅企业备份网络版 向日葵 gaussdb DeepSeek行业应用 Heroku 网站部署 xss 宝塔面板访问不了 宝塔面板网站访问不了 宝塔面板怎么配置网站能访问 宝塔面板配置ip访问 宝塔面板配置域名访问教程 宝塔面板配置教程 jupyter pip flash-attention pppoe radius hugo arm开发 缓存 AI agent 思科模拟器 思科 Cisco 机器人 博客 next.js 部署 部署next.js ocr 远程登录 telnet googlecloud muduo X11 Xming Docker Hub docker pull daemon.json EMQX 通信协议 Reactor 设计模式 C++ 弹性计算 虚拟化 KVM 计算虚拟化 弹性裸金属 elasticsearch 漏洞 ollama下载加速 Samba SWAT 配置文件 服务管理 网络共享 宝塔面板 同步 备份 建站 安全威胁分析 vscode 1.86 SSH 豆瓣 追剧助手 迅雷 nas 微信 内存 unity3d Xterminal aws Dify 备选 网站 api 调用 示例 银河麒麟桌面操作系统 Kylin OS AD域 .netcore postman mock mock server 模拟服务器 mock服务器 Postman内置变量 Postman随机数据 监控k8s集群 集群内prometheus AutoDL IIS服务器 IIS性能 日志监控 clickhouse intellij idea mosquitto 外网访问 内网穿透 端口映射 r语言 数据挖掘 数据可视化 数据分析 word图片自动上传 word一键转存 复制word图片 复制word图文 复制word公式 粘贴word图文 粘贴word公式 华为od sqlite dubbo chfs ubuntu 16.04 TCP服务器 qt项目 qt项目实战 qt教程 openssl 密码学 模拟退火算法 国标28181 视频监控 监控接入 语音广播 流程 SIP SDP 鸿蒙 大数据平台 lsb_release /etc/issue /proc/version uname -r 查看ubuntu版本 银河麒麟高级服务器 外接硬盘 Kylin 网络穿透 云服务器 echarts 信息可视化 网页设计 gradle CH340 串口驱动 CH341 uart 485 华为机试 ros2 moveit 机器人运动 Ubuntu 24 常用命令 Ubuntu 24 Ubuntu vi 异常处理 ui HarmonyOS Next devops elk Logstash 日志采集 烟花代码 烟花 元旦 proxy模式 AISphereButler rustdesk HAProxy 前端框架 selenium 测试工具 OD机试真题 华为OD机试真题 服务器能耗统计 rust腐蚀 n8n dity make 无人机 王者荣耀 框架搭建 dns mac bcompare Beyond Compare dify 模拟器 教程 回显服务器 UDP的API使用 vSphere vCenter Java Applet URL操作 服务器建立 Socket编程 网络文件读取 程序 编程 性能分析 c postgresql 智能音箱 智能家居 实战案例 服务器数据恢复 数据恢复 存储数据恢复 北亚数据恢复 oracle数据恢复 实时互动 数据结构 zabbix iBMC UltraISO 微信小程序 web 升级 CVE-2024-7347 VPS gateway 繁忙 解决办法 替代网站 汇总推荐 AI推理 工作流 workflow CDN web3 程序员 Clion Nova ResharperC++引擎 Centos7 远程开发 Linux awk awk函数 awk结构 awk内置变量 awk参数 awk脚本 awk详解 dba firewall autodl rabbitmq ruby 软件定义数据中心 sddc wsl 反向代理 mcu iot 信息与通信 redhat 智能手机 EMUI 回退 降级 游戏引擎 抗锯齿 可信计算技术 网络攻击模型 XCC Lenovo 飞书 IMM 职场和发展 双系统 GRUB引导 Linux技巧 ArkUI 多端开发 智慧分发 应用生态 鸿蒙OS embedding IPv4 子网掩码 公网IP 私有IP SSH 密钥生成 SSH 公钥 私钥 生成 传统数据库升级 银行 LLMs 单一职责原则 wsgiref Web 服务器网关接口 flink list IPMITOOL BMC 硬件管理 apt opcua opcda KEPServer安装 skynet 中兴光猫 换光猫 网络桥接 自己换光猫 鸿蒙系统 ShenTong 图像处理 技能大赛 计算机外设 ardunio BLE gitea cnn GoogLeNet iperf3 带宽测试 移动云 Typore 单元测试 功能测试 鲲鹏 FTP 服务器 springcloud 僵尸世界大战 游戏服务器搭建 元服务 应用上架 nfs 图形化界面 SSL 域名 换源 国内源 Debian Anolis nginx安装 环境安装 linux插件下载 政务 分布式系统 监控运维 Prometheus Grafana 线程 软件需求 mariadb 自定义客户端 SAS 虚拟局域网 GCC crosstool-ng webstorm Trae IDE AI 原生集成开发环境 Trae AI 交叉编译 嵌入式 npm 服务器主板 AI芯片 显卡驱动 wsl2 大大通 第三代半导体 碳化硅 tensorflow ldap tcpdump selete 高级IO asm 微信小程序域名配置 微信小程序服务器域名 微信小程序合法域名 小程序配置业务域名 微信小程序需要域名吗 微信小程序添加域名 多层架构 解耦 Linux环境 AI-native Docker Desktop etcd 数据安全 RBAC Kali Linux 黑客 渗透测试 信息收集 命令 h.264 deekseek ragflow 知识库 网络用户购物行为分析可视化平台 大数据毕业设计 RustDesk自建服务器 rustdesk服务器 docker rustdesk 边缘计算 黑客技术 项目部署到linux服务器 项目部署过程 本地部署 pyqt 序列化反序列化 云服务 微信分享 Image wxopensdk 视觉检测 Kali 虚拟机 grafana vscode1.86 1.86版本 ssh远程连接 SSE open Euler dde 虚幻 db 迁移指南 网卡的名称修改 eth0 ens33 办公自动化 自动化生成 pdf教程 tidb GLIBC cpp-httplib 网工 QT 5.12.12 QT开发环境 Ubuntu18.04 docker搭建nacos详解 docker部署nacos docker安装nacos 腾讯云搭建nacos centos7搭建nacos springboot远程调试 java项目远程debug docker远程debug java项目远程调试 springboot远程 adobe 信号 Ubuntu DeepSeek DeepSeek Ubuntu DeepSeek 本地部署 DeepSeek 知识库 DeepSeek 私有化知识库 本地部署 DeepSeek DeepSeek 私有化部署 bug P2P HDLC sqlite3 gcc g++ g++13 自动驾驶 lio-sam SLAM 服务器管理 配置教程 服务器安装 网站管理 崖山数据库 YashanDB pyautogui 视频编解码 Ubuntu 24.04.1 轻量级服务器 NFS python3.11 dash 正则表达式 Ark-TS语言 群晖 文件分享 软件工程 iis GPU 宠物 毕业设计 免费学习 宠物领养 宠物平台 雨云服务器 RAID RAID技术 磁盘 存储 token sas 小艺 Pura X 环境迁移 远程控制 远程看看 远程协助 onlyoffice Node-Red 编程工具 流编程 visual studio code wps 安卓 知识图谱 CPU 架构与原理 mamba AI写作 prompt cpu 实时 使用 nac 802.1 portal 毕设 相差8小时 UTC 时间 多进程 远程 执行 sshpass 操作 VR手套 数据手套 动捕手套 动捕数据手套 ros linux安装配置 cd 目录切换 rnn camera Arduino 电子信息 VMware安装mocOS VMware macOS系统安装 三级等保 服务器审计日志备份 KylinV10 麒麟操作系统 Vmware 多个客户端访问 IO多路复用 TCP相关API wireshark linux驱动开发 bootstrap 7z seatunnel ceph 软考 输入法 aarch64 编译安装 HPC 数据库架构 数据管理 数据治理 数据编织 数据虚拟化 css RAGFlow xpath定位元素 自动化测试 性能测试 开机自启动 rag ragflow 源码启动 easyui langchain 树莓派 VNC 深度求索 私域 ue4 着色器 ue5 Open WebUI 主板 电源 网卡 矩阵 线性代数 电商平台 大文件分片上传断点续传及进度条 如何批量上传超大文件并显示进度 axios大文件切片上传详细教 node服务器合并切片 vue3大文件上传报错提示错误 大文件秒传跨域报错cors keepalived 压测 ECS 域名服务 DHCP 符号链接 配置 frp RoboVLM 通用机器人策略 VLA设计哲学 vlm fot robot 视觉语言动作模型 具身智能 cuda cudnn anaconda DOIT 四博智联 Vmamba 腾讯云大模型知识引擎 防火墙 NAT转发 NAT Server Unity Dedicated Server Host Client 无头主机 stm32项目 ip netty sentinel xcode 强化学习 glibc 常用命令 文本命令 目录命令 合成模型 扩散模型 图像生成 thingsboard 状态管理的 UDP 服务器 Arduino RTOS 端口测试 实习 技术共享 dell服务器 yolov8 iventoy VmWare OpenEuler css3 计算机 XFS xfs文件系统损坏 I_O error 昇腾 npu 磁盘监控 加解密 Yakit yaklang DevEco Studio HarmonyOS OpenHarmony 真机调试 HiCar CarLife+ CarPlay QT RK3588 sdkman sequoiaDB firewalld SysBench 基准测试 流量运营 Jellyfin 捆绑 链接 谷歌浏览器 youtube google gmail 金仓数据库 2025 征文 数据库平替用金仓 eclipse bat 系统 黑苹果 服务器配置 生物信息学 prometheus数据采集 prometheus数据模型 prometheus特点 我的世界服务器搭建 相机 transformer Wi-Fi 超融合 我的世界 我的世界联机 数码 linux 命令 sed 命令 alias unalias 别名 nvidia 混合开发 JDK ISO镜像作为本地源 云电竞 云电脑 todesk IPMI 带外管理 硬件 设备 PCI-Express WebUI DeepSeek V3 llama.cpp jetty undertow 源码 ESXi Dell HPE 联想 浪潮 log4j yum源切换 更换国内yum源 centos-root /dev/mapper yum clean all df -h / du -sh 考研 rclone AList webdav fnOS 在线office Erlang OTP gen_server 热代码交换 事务语义 Linux find grep Python基础 Python教程 Python技巧 基础入门 代理 hive Hive环境搭建 hive3环境 Hive远程模式 webgl .net mvc断点续传 环境配置 dns是什么 如何设置电脑dns dns应该如何设置 matplotlib Claude IMX317 MIPI H265 VCU AnythingLLM AnythingLLM安装 状态模式 freebsd chrome 浏览器下载 chrome 下载安装 谷歌浏览器下载 Xinference IM即时通讯 QQ 剪切板对通 HTML FORMAT rtsp服务器 rtsp server android rtsp服务 安卓rtsp服务器 移动端rtsp服务 大牛直播SDK epoll safari Mac 测试用例 历史版本 下载 安装 AI作画 聊天室 MySql 工业4.0 k8s资源监控 annotations自动化 自动化监控 监控service 监控jvm USB转串口 银河麒麟服务器操作系统 系统激活 飞牛NAS 飞牛OS MacBook Pro can 线程池 harmonyOS面试题 邮件APP 免费软件 算力 微信开放平台 微信公众号配置 Radius 游戏开发 Ubuntu Server Ubuntu 22.04.5 hexo 个人博客 小智AI服务端 xiaozhi TTS 移动魔百盒 linux上传下载 健康医疗 互联网医院 windwos防火墙 defender防火墙 win防火墙白名单 防火墙白名单效果 防火墙只允许指定应用上网 防火墙允许指定上网其它禁止 策略模式 单例模式 高效远程协作 TrustViewer体验 跨设备操作便利 智能远程控制 ssh远程登录 fd 文件描述符 junit 文件系统 路径解析 浏览器开发 AI浏览器 SEO 链表 软链接 硬链接 显示管理器 lightdm gdm 模拟实现 deepseek r1 阻塞队列 生产者消费者模型 服务器崩坏原因 vmware 卡死 laravel Linux无人智慧超市 LInux多线程服务器 QT项目 LInux项目 单片机项目 vue less 毕昇JDK 直流充电桩 充电桩 CrewAI SenseVoice make命令 makefile文件 AI代码编辑器 NAS Termux 半虚拟化 硬件虚拟化 Hypervisor etl 裸金属服务器 弹性裸金属服务器 p2p Windows micropython esp32 mqtt Qwen2.5-coder 离线部署 流水线 脚本式流水线 iphone efficientVIT YOLOv8替换主干网络 TOLOv8 yaml Ultralytics 可视化 cocoapods iftop 网络流量监控 threejs 3D DenseNet pgpool HTTP 服务器控制 ESP32 DeepSeek 镜像 田俊楠 rocketmq SSH 服务 SSH Server OpenSSH Server 致远OA OA服务器 服务器磁盘扩容 游戏机 uv Netty 即时通信 NIO WSL2 jina VMware安装Ubuntu Ubuntu安装k8s navicat vasp安装 Docker引擎已经停止 Docker无法使用 WSL进度一直是0 镜像加速地址 智能硬件 查询数据库服务IP地址 SQL Server ROS 语音识别 HCIE 数通 信号处理 outlook gpt code-server composer k8s集群资源管理 云原生开发 SVN Server tortoise svn RAGFLOW 产测工具框架 IMX6ULL 管理框架 wordpress 无法访问wordpess后台 打开网站页面错乱 linux宝塔面板 wordpress更换服务器 MacOS录屏软件 Linux的基础指令 W5500 OLED u8g2 MS Materials 业界资讯 开发 ai小智 语音助手 ai小智配网 ai小智教程 esp32语音助手 diy语音助手 milvus 数据库系统 C# MQTTS 双向认证 emqx YOLOv12 RAG 检索增强生成 文档解析 大模型垂直应用 键盘 做raid 装系统 嵌入式系统开发 内网服务器 内网代理 内网通信 网络药理学 生信 PPI String Cytoscape CytoHubba EtherCAT转Modbus ECT转Modbus协议 EtherCAT转485网关 ECT转Modbus串口网关 EtherCAT转485协议 ECT转Modbus网关 VM搭建win2012 win2012应急响应靶机搭建 攻击者获取服务器权限 上传wakaung病毒 应急响应并溯源 挖矿病毒处置 应急响应综合性靶场 代理服务器 影刀 #影刀RPA# 西门子PLC 通讯 ubuntu24.04.1 火绒安全 searxng kali 共享文件夹 docker搭建pg docker搭建pgsql pg授权 postgresql使用 postgresql搭建 嵌入式Linux IPC gnu fast 大模型应用 远程服务 conda配置 conda镜像源 IO figma 灵办AI spark HistoryServer Spark YARN jobhistory 项目部署 wpf VSCode DBeaver 大模型部署 AP配网 AK配网 小程序AP配网和AK配网教程 WIFI设备配网小程序UDP开 dock 加速 raid5数据恢复 磁盘阵列数据恢复 edge浏览器 gpt-3 文心一言 语法 docker run 数据卷挂载 交互模式 Google pay Apple pay GIS 遥感 WebGIS trae ai工具 java-rocketmq Kylin-Server 人工智能生成内容 内网环境 金融 热榜 本地知识库部署 DeepSeek R1 模型 WebRTC win服务器架设 windows server linux环境变量 VMware创建虚拟机 CentOS seleium chromedriver 拓扑图 分析解读 目标跟踪 OpenVINO 推理应用 产品经理 风扇控制软件 SRS 流媒体 直播 MDK 嵌入式开发工具 论文笔记 sublime text arcgis mm-wiki搭建 linux搭建mm-wiki mm-wiki搭建与使用 mm-wiki使用 mm-wiki详解 搭建个人相关服务器 xml 运维监控 hosts MacMini 迷你主机 mini Apple 软负载 CLion 服务器部署ai模型 bot Docker leetcode 推荐算法 蓝桥杯 cmos risc-v AI Agent 字节智能运维 程序员创富 swoole OpenSSH curl wget 端口 查看 ss visual studio lua vue-i18n 国际化多语言 vue2中英文切换详细教程 如何动态加载i18n语言包 把语言json放到服务器调用 前端调用api获取语言配置文件 Ubuntu共享文件夹 共享目录 Linux共享文件夹 Cookie Deepseek-R1 私有化部署 推理模型 欧标 OCPP xshell termius iterm2 音乐库 飞牛 实用教程 上传视频至服务器代码 vue3批量上传多个视频并预览 如何实现将本地视频上传到网页 element plu视频上传 ant design vue vue3本地上传视频及预览移除 neo4j 数据仓库 数据库开发 database 宕机切换 服务器宕机 triton 模型分析 sonoma 自动更新 midjourney js LInux chrome devtools deep learning 匿名管道 ArcTS 登录 ArcUI GridItem 飞牛nas fnos arkUI 服务网格 istio 系统开发 binder 车载系统 framework 源码环境 PVE 鸿蒙开发 移动开发 CentOS Stream 干货分享 黑客工具 密码爆破 mq Unity插件 x64 SIGSEGV xmm0 执法记录仪 智能安全帽 smarteye mybatis TrueLicense 图形渲染 Invalid Host allowedHosts docker部署翻译组件 docker部署deepl docker搭建deepl java对接deepl 翻译组件使用 DNS IO模型 UDP docker命令大全 regedit 开机启动 自动化任务管理 Redis Desktop rpa idea 服务器时间 本地化部署 京东云 网络爬虫 大模型推理 大模型学习 音乐服务器 Navidrome 音流 ping++ 玩机技巧 软件分享 软件图标 在线预览 xlsx xls文件 在浏览器直接打开解析xls表格 前端实现vue3打开excel 文件地址url或接口文档流二进 eNSP 网络规划 VLAN 企业网络 大模型面经 uni-file-picker 拍摄从相册选择 uni.uploadFile H5上传图片 微信小程序上传图片 vr 私有化 剧本 ubuntu20.04 开机黑屏 VS Code 基础环境 AD 域管理 多路转接 李心怡 网站搭建 serv00 grub 版本升级 扩容 阿里云ECS 论文阅读 Linux的权限 沙盒 word 物联网开发 社交电子 USB网络共享 Playwright 磁盘镜像 服务器镜像 服务器实时复制 实时文件备份 ip命令 新增网卡 新增IP 启动网卡 docker部署Python minecraft ssh漏洞 ssh9.9p2 CVE-2025-23419 PX4 粘包问题 离线部署dify rime minicom 串口调试工具 分布式训练 企业网络规划 华为eNSP 增强现实 沉浸式体验 应用场景 技术实现 案例分析 AR Windsurf ABAP perf 虚幻引擎 信创 信创终端 中科方德 DocFlow kerberos nlp ubuntu24 vivado24 Attention trea 存储维护 NetApp存储 EMC存储 聚类 自动化编程 怎么卸载MySQL MySQL怎么卸载干净 MySQL卸载重新安装教程 MySQL5.7卸载 Linux卸载MySQL8.0 如何卸载MySQL教程 MySQL卸载与安装 openstack Xen EtherNet/IP串口网关 EIP转RS485 EIP转Modbus EtherNet/IP网关协议 EIP转RS485网关 EIP串口服务器 TCP协议