• 从零到一:用Java和Spring Security构建OAuth2授权服务器

从零到一:用Java和Spring Security构建OAuth2授权服务器

2025-05-04 00:57:11 0 阅读

引言

在当今的互联网生态中,安全认证与授权机制对于保护用户数据和系统资源至关重要。OAuth2作为一种行业标准的授权框架,被广泛应用于各类Web应用、移动应用和API服务中。本文将带领读者从零开始,使用Java和Spring Security框架构建一个功能完整的OAuth2授权服务器,深入理解OAuth2的核心概念和实现细节。

OAuth2基础知识

OAuth2是什么?

OAuth2(Open Authorization 2.0)是一个开放标准的授权协议,允许第三方应用在不获取用户凭证的情况下,获得对用户资源的有限访问权限。它解决了传统认证方式中的安全隐患,如密码共享和过度授权等问题。

OAuth2的角色

OAuth2定义了四个关键角色:

  1. 资源所有者(Resource Owner):通常是用户,拥有受保护资源的实体。
  2. 客户端(Client):请求访问资源的应用程序。
  3. 授权服务器(Authorization Server):验证资源所有者身份并颁发访问令牌。
  4. 资源服务器(Resource Server):托管受保护资源的服务器,接受并验证访问令牌。

OAuth2的授权流程

OAuth2支持多种授权流程,适用于不同场景:

  1. 授权码模式(Authorization Code):最完整、最安全的流程,适用于有后端的Web应用。
  2. 简化模式(Implicit):适用于无后端的单页应用。
  3. 密码模式(Resource Owner Password Credentials):适用于高度可信的应用。
  4. 客户端凭证模式(Client Credentials):适用于服务器间通信。

项目准备

环境要求

  • JDK 11+
  • Maven 3.6+
  • Spring Boot 2.6.x
  • Spring Security 5.6.x
  • Spring Authorization Server 0.3.x

项目结构

oauth2-server/
├── src/
│   ├── main/
│   │   ├── java/
│   │   │   └── com/
│   │   │       └── example/
│   │   │           └── oauth2server/
│   │   │               ├── config/
│   │   │               ├── controller/
│   │   │               ├── entity/
│   │   │               ├── repository/
│   │   │               ├── service/
│   │   │               └── OAuth2ServerApplication.java
│   │   └── resources/
│   │       ├── templates/
│   │       ├── static/
│   │       └── application.yml
│   └── test/
├── pom.xml
└── README.md

Maven依赖配置

<dependencies>
    
    <dependency>
        <groupId>org.springframework.bootgroupId>
        <artifactId>spring-boot-starter-webartifactId>
    dependency>
    <dependency>
        <groupId>org.springframework.bootgroupId>
        <artifactId>spring-boot-starter-securityartifactId>
    dependency>
    <dependency>
        <groupId>org.springframework.bootgroupId>
        <artifactId>spring-boot-starter-data-jpaartifactId>
    dependency>
    <dependency>
        <groupId>org.springframework.bootgroupId>
        <artifactId>spring-boot-starter-thymeleafartifactId>
    dependency>
    
    
    <dependency>
        <groupId>org.springframework.securitygroupId>
        <artifactId>spring-security-oauth2-authorization-serverartifactId>
        <version>0.3.1version>
    dependency>
    
    
    <dependency>
        <groupId>com.h2databasegroupId>
        <artifactId>h2artifactId>
        <scope>runtimescope>
    dependency>
    
    
    <dependency>
        <groupId>org.projectlombokgroupId>
        <artifactId>lombokartifactId>
        <optional>trueoptional>
    dependency>
dependencies>

实现授权服务器

步骤1:创建基础应用

首先,创建一个Spring Boot应用作为我们的起点:

package com.example.oauth2server;

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;

@SpringBootApplication
public class OAuth2ServerApplication {
    public static void main(String[] args) {
        SpringApplication.run(OAuth2ServerApplication.class, args);
    }
}

步骤2:配置数据库

application.yml中配置数据库连接:

spring:
  datasource:
    url: jdbc:h2:mem:oauth2db
    driver-class-name: org.h2.Driver
    username: sa
    password: password
  jpa:
    database-platform: org.hibernate.dialect.H2Dialect
    hibernate:
      ddl-auto: update
    show-sql: true
  h2:
    console:
      enabled: true
      path: /h2-console

步骤3:创建用户实体和存储

package com.example.oauth2server.entity;

import lombok.Data;
import javax.persistence.*;
import java.util.Set;

@Entity
@Data
public class User {
    @Id
    @GeneratedValue(strategy = GenerationType.IDENTITY)
    private Long id;
    
    @Column(unique = true)
    private String username;
    
    private String password;
    
    @ElementCollection(fetch = FetchType.EAGER)
    private Set<String> roles;
    
    private boolean enabled = true;
}

创建用户存储库:

package com.example.oauth2server.repository;

import com.example.oauth2server.entity.User;
import org.springframework.data.jpa.repository.JpaRepository;
import java.util.Optional;

public interface UserRepository extends JpaRepository<User, Long> {
    Optional<User> findByUsername(String username);
}

步骤4:实现用户服务

package com.example.oauth2server.service;

import com.example.oauth2server.entity.User;
import com.example.oauth2server.repository.UserRepository;
import org.springframework.security.core.authority.SimpleGrantedAuthority;
import org.springframework.security.core.userdetails.UserDetails;
import org.springframework.security.core.userdetails.UserDetailsService;
import org.springframework.security.core.userdetails.UsernameNotFoundException;
import org.springframework.stereotype.Service;

import java.util.stream.Collectors;

@Service
public class UserDetailsServiceImpl implements UserDetailsService {

    private final UserRepository userRepository;

    public UserDetailsServiceImpl(UserRepository userRepository) {
        this.userRepository = userRepository;
    }

    @Override
    public UserDetails loadUserByUsername(String username) throws UsernameNotFoundException {
        User user = userRepository.findByUsername(username)
                .orElseThrow(() -> new UsernameNotFoundException("User not found: " + username));

        return new org.springframework.security.core.userdetails.User(
                user.getUsername(),
                user.getPassword(),
                user.isEnabled(),
                true,
                true,
                true,
                user.getRoles().stream()
                        .map(role -> new SimpleGrantedAuthority("ROLE_" + role))
                        .collect(Collectors.toSet())
        );
    }
}

步骤5:配置安全设置

package com.example.oauth2server.config;

import com.example.oauth2server.service.UserDetailsServiceImpl;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.core.annotation.Order;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.crypto.bcrypt.BCryptPasswordEncoder;
import org.springframework.security.crypto.password.PasswordEncoder;
import org.springframework.security.web.SecurityFilterChain;

@EnableWebSecurity
@Configuration
public class SecurityConfig {

    private final UserDetailsServiceImpl userDetailsService;

    public SecurityConfig(UserDetailsServiceImpl userDetailsService) {
        this.userDetailsService = userDetailsService;
    }

    @Bean
    @Order(2)
    public SecurityFilterChain defaultSecurityFilterChain(HttpSecurity http) throws Exception {
        http
            .authorizeHttpRequests(authorize ->
                authorize
                    .antMatchers("/h2-console/**").permitAll()
                    .anyRequest().authenticated()
            )
            .formLogin()
            .and()
            .csrf().ignoringAntMatchers("/h2-console/**")
            .and()
            .headers().frameOptions().sameOrigin();
        
        return http.build();
    }

    @Bean
    public PasswordEncoder passwordEncoder() {
        return new BCryptPasswordEncoder();
    }
}

步骤6:配置OAuth2授权服务器

package com.example.oauth2server.config;

import com.nimbusds.jose.jwk.JWKSet;
import com.nimbusds.jose.jwk.RSAKey;
import com.nimbusds.jose.jwk.source.JWKSource;
import com.nimbusds.jose.proc.SecurityContext;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.core.Ordered;
import org.springframework.core.annotation.Order;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configurers.oauth2.server.authorization.OAuth2AuthorizationServerConfigurer;
import org.springframework.security.oauth2.core.AuthorizationGrantType;
import org.springframework.security.oauth2.core.ClientAuthenticationMethod;
import org.springframework.security.oauth2.core.oidc.OidcScopes;
import org.springframework.security.oauth2.server.authorization.client.InMemoryRegisteredClientRepository;
import org.springframework.security.oauth2.server.authorization.client.RegisteredClient;
import org.springframework.security.oauth2.server.authorization.client.RegisteredClientRepository;
import org.springframework.security.oauth2.server.authorization.config.ProviderSettings;
import org.springframework.security.web.SecurityFilterChain;
import org.springframework.security.web.util.matcher.RequestMatcher;

import java.security.KeyPair;
import java.security.KeyPairGenerator;
import java.security.interfaces.RSAPrivateKey;
import java.security.interfaces.RSAPublicKey;
import java.util.UUID;

@Configuration
public class AuthorizationServerConfig {

    @Bean
    @Order(Ordered.HIGHEST_PRECEDENCE)
    public SecurityFilterChain authServerSecurityFilterChain(HttpSecurity http) throws Exception {
        OAuth2AuthorizationServerConfigurer<HttpSecurity> authorizationServerConfigurer =
                new OAuth2AuthorizationServerConfigurer<>();
        
        RequestMatcher endpointsMatcher = authorizationServerConfigurer
                .getEndpointsMatcher();
        
        http
            .requestMatcher(endpointsMatcher)
            .authorizeRequests(authorizeRequests ->
                authorizeRequests.anyRequest().authenticated()
            )
            .csrf(csrf -> csrf.ignoringRequestMatchers(endpointsMatcher))
            .apply(authorizationServerConfigurer);
        
        return http.build();
    }

    @Bean
    public RegisteredClientRepository registeredClientRepository() {
        RegisteredClient registeredClient = RegisteredClient.withId(UUID.randomUUID().toString())
                .clientId("client")
                .clientSecret("$2a$10$jdJGhzsiIqYFpjJiYWMl/eKDOd8vdyQis2aynmFN0dgJ53XvpzzwC") // "secret" encoded
                .clientAuthenticationMethod(ClientAuthenticationMethod.CLIENT_SECRET_BASIC)
                .authorizationGrantType(AuthorizationGrantType.AUTHORIZATION_CODE)
                .authorizationGrantType(AuthorizationGrantType.REFRESH_TOKEN)
                .redirectUri("http://127.0.0.1:8080/login/oauth2/code/client")
                .scope(OidcScopes.OPENID)
                .scope("read")
                .scope("write")
                .build();

        return new InMemoryRegisteredClientRepository(registeredClient);
    }

    @Bean
    public JWKSource<SecurityContext> jwkSource() {
        RSAKey rsaKey = generateRsa();
        JWKSet jwkSet = new JWKSet(rsaKey);
        return (jwkSelector, securityContext) -> jwkSelector.select(jwkSet);
    }

    private static RSAKey generateRsa() {
        KeyPair keyPair = generateRsaKey();
        RSAPublicKey publicKey = (RSAPublicKey) keyPair.getPublic();
        RSAPrivateKey privateKey = (RSAPrivateKey) keyPair.getPrivate();
        return new RSAKey.Builder(publicKey)
                .privateKey(privateKey)
                .keyID(UUID.randomUUID().toString())
                .build();
    }

    private static KeyPair generateRsaKey() {
        KeyPair keyPair;
        try {
            KeyPairGenerator keyPairGenerator = KeyPairGenerator.getInstance("RSA");
            keyPairGenerator.initialize(2048);
            keyPair = keyPairGenerator.generateKeyPair();
        } catch (Exception ex) {
            throw new IllegalStateException(ex);
        }
        return keyPair;
    }

    @Bean
    public ProviderSettings providerSettings() {
        return ProviderSettings.builder()
                .issuer("http://localhost:9000")
                .build();
    }
}

步骤7:初始化测试数据

创建一个数据初始化器:

package com.example.oauth2server.config;

import com.example.oauth2server.entity.User;
import com.example.oauth2server.repository.UserRepository;
import org.springframework.boot.CommandLineRunner;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.security.crypto.password.PasswordEncoder;

import java.util.Set;

@Configuration
public class DataInitializer {

    @Bean
    public CommandLineRunner initData(UserRepository userRepository, PasswordEncoder passwordEncoder) {
        return args -> {
            User admin = new User();
            admin.setUsername("admin");
            admin.setPassword(passwordEncoder.encode("admin"));
            admin.setRoles(Set.of("ADMIN", "USER"));
            
            User user = new User();
            user.setUsername("user");
            user.setPassword(passwordEncoder.encode("password"));
            user.setRoles(Set.of("USER"));
            
            userRepository.save(admin);
            userRepository.save(user);
        };
    }
}

步骤8:配置应用属性

application.yml中添加服务器端口配置:

server:
  port: 9000

测试授权服务器

授权码流程测试

  1. 请求授权码

    访问以下URL(可以在浏览器中打开):

    http://localhost:9000/oauth2/authorize?response_type=code&client_id=client&scope=read&redirect_uri=http://127.0.0.1:8080/login/oauth2/code/client
    

    系统会要求登录(使用我们创建的用户凭据),然后请求授权。授权后,系统会重定向到指定的URI,并附带授权码。

  2. 使用授权码获取令牌

    使用curl或Postman发送POST请求:

    curl -X POST 
      http://localhost:9000/oauth2/token 
      -H "Content-Type: application/x-www-form-urlencoded" 
      -H "Authorization: Basic Y2xpZW50OnNlY3JldA==" 
      -d "grant_type=authorization_code&code=YOUR_AUTHORIZATION_CODE&redirect_uri=http://127.0.0.1:8080/login/oauth2/code/client"
    

    注意:YOUR_AUTHORIZATION_CODE需要替换为上一步获取的授权码。

  3. 使用访问令牌访问资源

    使用获取到的访问令牌访问受保护资源:

    curl -H "Authorization: Bearer YOUR_ACCESS_TOKEN" http://localhost:9000/api/resource
    

扩展功能

添加资源服务器

创建一个简单的资源API:

package com.example.oauth2server.controller;

import org.springframework.security.core.annotation.AuthenticationPrincipal;
import org.springframework.security.oauth2.jwt.Jwt;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

import java.util.Collections;
import java.util.Map;

@RestController
@RequestMapping("/api")
public class ResourceController {

    @GetMapping("/resource")
    public Map<String, Object> resource(@AuthenticationPrincipal Jwt jwt) {
        return Collections.singletonMap("message", 
                "Protected resource accessed by: " + jwt.getSubject());
    }
}

配置资源服务器安全设置:

package com.example.oauth2server.config;

import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import org.springframework.core.annotation.Order;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.config.http.SessionCreationPolicy;
import org.springframework.security.web.SecurityFilterChain;

@Configuration
@EnableWebSecurity
public class ResourceServerConfig {

    @Bean
    @Order(3)
    public SecurityFilterChain resourceServerSecurityFilterChain(HttpSecurity http) throws Exception {
        http
            .requestMatchers()
                .antMatchers("/api/**")
                .and()
            .authorizeRequests()
                .anyRequest().authenticated()
                .and()
            .oauth2ResourceServer()
                .jwt();
        
        return http.build();
    }
}

实现令牌撤销

添加令牌撤销端点:

package com.example.oauth2server.controller;

import org.springframework.security.oauth2.server.authorization.OAuth2AuthorizationService;
import org.springframework.security.oauth2.server.authorization.OAuth2TokenType;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestParam;
import org.springframework.web.bind.annotation.RestController;

@RestController
public class TokenController {

    private final OAuth2AuthorizationService authorizationService;

    public TokenController(OAuth2AuthorizationService authorizationService) {
        this.authorizationService = authorizationService;
    }

    @PostMapping("/oauth2/revoke")
    public void revokeToken(@RequestParam("token") String token, 
                           @RequestParam("token_type_hint") String tokenTypeHint) {
        OAuth2TokenType tokenType = "access_token".equals(tokenTypeHint) 
                ? OAuth2TokenType.ACCESS_TOKEN 
                : OAuth2TokenType.REFRESH_TOKEN;
        
        authorizationService.findByToken(token, tokenType)
                .ifPresent(authorization -> {
                    authorizationService.remove(authorization);
                });
    }
}

自定义授权同意页面

创建一个Thymeleaf模板用于授权同意页面:

DOCTYPE html>
<html xmlns="http://www.w3.org/1999/xhtml" xmlns:th="https://www.thymeleaf.org">
<head>
    <meta charset="UTF-8">
    <title>授权确认title>
    <style>
        body {
            font-family: Arial, sans-serif;
            max-width: 600px;
            margin: 0 auto;
            padding: 20px;
        }
        .container {
            border: 1px solid #ddd;
            border-radius: 5px;
            padding: 20px;
            margin-top: 20px;
        }
        .btn {
            display: inline-block;
            padding: 10px 15px;
            background-color: #4CAF50;
            color: white;
            border: none;
            border-radius: 4px;
            cursor: pointer;
            text-decoration: none;
            margin-right: 10px;
        }
        .btn-cancel {
            background-color: #f44336;
        }
        .scopes {
            margin: 15px 0;
        }
        .scope-item {
            margin: 5px 0;
        }
    style>
head>
<body>
    <div class="container">
        <h1>授权请求h1>
        <p>
            客户端 <strong th:text="${clientId}">strong> 请求访问您的账户
        p>
        
        <div class="scopes">
            <p>请求的权限范围:p>
            <div th:each="scope : ${scopes}" class="scope-item">
                <input type="checkbox" th:id="${scope}" th:name="scope" th:value="${scope}" checked />
                <label th:for="${scope}" th:text="${scope}">label>
            div>
        div>
        
        <form method="post" th:action="${authorizationUri}">
            <input type="hidden" name="client_id" th:value="${clientId}">
            <input type="hidden" name="state" th:value="${state}">
            
            <div>
                <button type="submit" name="consent" value="approve" class="btn">授权button>
                <button type="submit" name="consent" value="deny" class="btn btn-cancel">拒绝button>
            div>
        form>
    div>
body>
html>

创建控制器处理授权同意请求:

package com.example.oauth2server.controller;

import org.springframework.security.oauth2.core.endpoint.OAuth2ParameterNames;
import org.springframework.security.oauth2.server.authorization.OAuth2AuthorizationConsent;
import org.springframework.security.oauth2.server.authorization.OAuth2AuthorizationConsentService;
import org.springframework.security.oauth2.server.authorization.client.RegisteredClient;
import org.springframework.security.oauth2.server.authorization.client.RegisteredClientRepository;
import org.springframework.stereotype.Controller;
import org.springframework.ui.Model;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestParam;

import java.security.Principal;
import java.util.Set;

@Controller
public class AuthorizationConsentController {

    private final RegisteredClientRepository registeredClientRepository;
    private final OAuth2AuthorizationConsentService authorizationConsentService;

    public AuthorizationConsentController(
            RegisteredClientRepository registeredClientRepository,
            OAuth2AuthorizationConsentService authorizationConsentService) {
        this.registeredClientRepository = registeredClientRepository;
        this.authorizationConsentService = authorizationConsentService;
    }

    @GetMapping("/oauth2/consent")
    public String consent(
            Principal principal,
            Model model,
            @RequestParam(OAuth2ParameterNames.CLIENT_ID) String clientId,
            @RequestParam(OAuth2ParameterNames.SCOPE) String scope,
            @RequestParam(OAuth2ParameterNames.STATE) String state) {

        RegisteredClient client = this.registeredClientRepository.findByClientId(clientId);
        OAuth2AuthorizationConsent consent = this.authorizationConsentService.findById(
                clientId, principal.getName());

        Set<String> scopesToApprove = Set.of(scope.split(" "));
        
        model.addAttribute("clientId", clientId);
        model.addAttribute("state", state);
        model.addAttribute("scopes", scopesToApprove);
        model.addAttribute("authorizationUri", "/oauth2/authorize");

        return "consent";
    }
}

安全最佳实践

在实现OAuth2授权服务器时,应遵循以下安全最佳实践:

  1. 使用HTTPS:在生产环境中,始终使用HTTPS保护所有通信。

  2. 安全存储客户端密钥:客户端密钥应该使用强密码哈希算法(如BCrypt)进行加密存储。

  3. 实施PKCE:对于公共客户端(如SPA和移动应用),使用PKCE(Proof Key for Code Exchange)增强安全性。

  4. 限制令牌范围和生命周期:根据实际需求限制访问令牌的范围和有效期。

  5. 实施令牌撤销:提供令牌撤销机制,允许用户或管理员在需要时撤销访问权限。

  6. 监控和审计:实施日志记录和监控,以便及时发现可疑活动。

结论

通过本文,我们从零开始构建了一个功能完整的OAuth2授权服务器。我们深入了解了OAuth2的核心概念,并使用Spring Security和Spring Authorization Server实现了各种授权流程和扩展功能。

这个授权服务器可以作为您实际项目的起点,根据具体需求进行定制和扩展。随着安全需求的不断演变,持续关注OAuth2和Spring Security的最新发展,及时更新您的实现,是确保系统安全的关键。

参考资料

  • OAuth 2.0 规范
  • Spring Authorization Server 文档
  • Spring Security 文档
  • RFC 6749 - OAuth 2.0 授权框架
  • RFC 7636 - PKCE

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

搜索文章

Tags

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