Spring Boot 3.2 结合 Spring Cloud 微服务架构实操指南 现代分布式应用系统构建实战教程

本文涉及的产品
RDS AI 助手,专业版
RDS MySQL DuckDB 分析主实例,基础系列 4核8GB
RDS MySQL DuckDB 分析主实例,集群系列 4核8GB
简介: Spring Boot 3.2 + Spring Cloud 2023.0 微服务架构实践摘要 本文基于Spring Boot 3.2.5和Spring Cloud 2023.0.1最新稳定版本,演示现代微服务架构的构建过程。主要内容包括: 技术栈选择:采用Spring Cloud Netflix Eureka 4.1.0作为服务注册中心,Resilience4j 2.1.0替代Hystrix实现熔断机制,配合OpenFeign和Gateway等组件。 核心实操步骤: 搭建Eureka注册中心服务 构建商品

Spring Boot 3.2 + Spring Cloud 2023.0 实操指南:构建现代微服务架构

技术栈选择说明

本文将基于最新稳定版本构建完整微服务体系:

  • Spring Boot 3.2.5(最新稳定版)
  • Spring Cloud 2023.0.1(代号"Ilford",与Boot 3.2.x兼容)
  • 服务注册发现:Spring Cloud Netflix Eureka 4.1.0
  • 服务调用:Spring Cloud OpenFeign 4.1.0
  • API网关:Spring Cloud Gateway 4.1.0
  • 配置中心:Spring Cloud Config 4.1.0
  • 服务熔断:Resilience4j 2.1.0(替代Hystrix)

选择理由:Spring Cloud 2023.0.x是目前最新的稳定版本系列,全面支持Spring Boot 3.2.x,移除了大量过时组件,采用Resilience4j作为官方推荐的熔断方案,更符合现代微服务架构需求。

实操步骤:构建基础微服务架构

1. 搭建Eureka服务注册中心

服务注册中心是微服务架构的核心基础设施,负责服务地址的管理。

步骤1:创建Maven项目,添加依赖

<parent>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-parent</artifactId>
    <version>3.2.5</version>
</parent>

<dependencies>
    <!-- Eureka Server -->
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-netflix-eureka-server</artifactId>
    </dependency>

    <!--  actuator用于监控 -->
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-actuator</artifactId>
    </dependency>
</dependencies>

<dependencyManagement>
    <dependencies>
        <dependency>
            <groupId>org.springframework.cloud</groupId>
            <artifactId>spring-cloud-dependencies</artifactId>
            <version>2023.0.1</version>
            <type>pom</type>
            <scope>import</scope>
        </dependency>
    </dependencies>
</dependencyManagement>

步骤2:创建启动类,添加@EnableEurekaServer注解

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.netflix.eureka.server.EnableEurekaServer;

@SpringBootApplication
@EnableEurekaServer // 启用Eureka服务注册中心功能
public class EurekaServerApplication {
   
    public static void main(String[] args) {
   
        SpringApplication.run(EurekaServerApplication.class, args);
    }
}

步骤3:配置application.yml

server:
  port: 8761  # Eureka默认端口

eureka:
  instance:
    hostname: localhost
  client:
    register-with-eureka: false  # 自身不注册到注册中心
    fetch-registry: false        # 不需要从注册中心获取服务信息
    service-url:
      defaultZone: http://${
   eureka.instance.hostname}:${
   server.port}/eureka/
  server:
    enable-self-preservation: false  # 关闭自我保护模式(生产环境建议开启)
    eviction-interval-timer-in-ms: 30000  # 清理无效节点的间隔时间

启动验证:访问 http://localhost:8761 可看到Eureka控制台界面,此时还没有服务注册。

2. 构建服务提供者

我们创建一个简单的商品服务(product-service)作为服务提供者。

步骤1:添加依赖

<dependencies>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-actuator</artifactId>
    </dependency>
</dependencies>

步骤2:创建启动类

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;

@SpringBootApplication
@EnableDiscoveryClient // 启用服务发现客户端功能
public class ProductServiceApplication {
   
    public static void main(String[] args) {
   
        SpringApplication.run(ProductServiceApplication.class, args);
    }
}

步骤3:配置application.yml

server:
  port: 8081

spring:
  application:
    name: product-service  # 服务名称,消费者将通过此名称调用

eureka:
  client:
    service-url:
      defaultZone: http://localhost:8761/eureka/
  instance:
    prefer-ip-address: true  # 注册时使用IP地址
    instance-id: ${
   spring.cloud.client.ip-address}:${
   server.port}  # 显示IP和端口

步骤4:创建业务接口

import org.springframework.web.bind.annotation.*;

import java.util.HashMap;
import java.util.Map;

@RestController
@RequestMapping("/products")
public class ProductController {
   

    // 模拟数据库存储
    private static final Map<Long, Product> productMap = new HashMap<>();

    static {
   
        productMap.put(1L, new Product(1L, "Spring Boot实战", 59.9));
        productMap.put(2L, new Product(2L, "Spring Cloud微服务", 69.9));
    }

    @GetMapping("/{id}")
    public Product getProduct(@PathVariable Long id) {
   
        // 模拟服务调用延迟
        try {
   
            Thread.sleep(500);
        } catch (InterruptedException e) {
   
            Thread.currentThread().interrupt();
        }

        Product product = productMap.get(id);
        if (product == null) {
   
            throw new RuntimeException("产品不存在");
        }
        return product;
    }

    @PostMapping
    public Product createProduct(@RequestBody Product product) {
   
        productMap.put(product.getId(), product);
        return product;
    }

    // 内部静态类
    public static class Product {
   
        private Long id;
        private String name;
        private Double price;

        // 构造函数、getter和setter省略
        public Product() {
   }

        public Product(Long id, String name, Double price) {
   
            this.id = id;
            this.name = name;
            this.price = price;
        }

        // getter和setter
        public Long getId() {
    return id; }
        public void setId(Long id) {
    this.id = id; }
        public String getName() {
    return name; }
        public void setName(String name) {
    this.name = name; }
        public Double getPrice() {
    return price; }
        public void setPrice(Double price) {
    this.price = price; }
    }
}

启动验证:启动服务后,访问Eureka控制台(http://localhost:8761),可看到PRODUCT-SERVICE已注册。

3. 构建服务消费者(使用OpenFeign)

创建订单服务(order-service)作为服务消费者,通过OpenFeign调用商品服务。

步骤1:添加依赖

<dependencies>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-openfeign</artifactId>
    </dependency>
    <!-- 熔断依赖 -->
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-circuitbreaker-resilience4j</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-actuator</artifactId>
    </dependency>
</dependencies>

步骤2:创建启动类

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;
import org.springframework.cloud.openfeign.EnableFeignClients;

@SpringBootApplication
@EnableDiscoveryClient
@EnableFeignClients // 启用Feign客户端
public class OrderServiceApplication {
   
    public static void main(String[] args) {
   
        SpringApplication.run(OrderServiceApplication.class, args);
    }
}

步骤3:配置application.yml

server:
  port: 8082

spring:
  application:
    name: order-service

eureka:
  client:
    service-url:
      defaultZone: http://localhost:8761/eureka/
  instance:
    prefer-ip-address: true
    instance-id: ${
   spring.cloud.client.ip-address}:${
   server.port}

# Resilience4j配置
resilience4j:
  circuitbreaker:
    instances:
      productService:
        sliding-window-size: 10
        failure-rate-threshold: 50
        wait-duration-in-open-state: 10000
        permitted-number-of-calls-in-half-open-state: 3
  retry:
    instances:
      productService:
        max-retry-attempts: 3
        wait-duration: 1000

步骤4:创建Feign客户端

import org.springframework.cloud.openfeign.FeignClient;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;

// 指定要调用的服务名称
@FeignClient(name = "product-service")
public interface ProductFeignClient {
   

    @GetMapping("/products/{id}")
    Product getProduct(@PathVariable("id") Long id);

    // 产品实体类,与服务提供者保持一致
    class Product {
   
        private Long id;
        private String name;
        private Double price;

        // getter和setter省略
        public Long getId() {
    return id; }
        public void setId(Long id) {
    this.id = id; }
        public String getName() {
    return name; }
        public void setName(String name) {
    this.name = name; }
        public Double getPrice() {
    return price; }
        public void setPrice(Double price) {
    this.price = price; }
    }
}

步骤5:创建服务和控制器

import io.github.resilience4j.circuitbreaker.annotation.CircuitBreaker;
import io.github.resilience4j.retry.annotation.Retry;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
import org.springframework.web.bind.annotation.RestController;

@RestController
@RequestMapping("/orders")
public class OrderController {
   

    @Autowired
    private ProductFeignClient productFeignClient;

    // 使用熔断和重试机制
    @GetMapping("/{productId}")
    @CircuitBreaker(name = "productService", fallbackMethod = "getOrderFallback")
    @Retry(name = "productService")
    public Order getOrder(@PathVariable Long productId) {
   
        ProductFeignClient.Product product = productFeignClient.getProduct(productId);
        return new Order(System.currentTimeMillis(), productId, product.getName(), 1, product.getPrice());
    }

    // 熔断降级方法
    public Order getOrderFallback(Long productId, Exception e) {
   
        return new Order(System.currentTimeMillis(), productId, "降级商品", 1, 0.0);
    }

    // 订单实体类
    public static class Order {
   
        private Long id;
        private Long productId;
        private String productName;
        private Integer quantity;
        private Double price;

        // 构造函数、getter和setter省略
        public Order(Long id, Long productId, String productName, Integer quantity, Double price) {
   
            this.id = id;
            this.productId = productId;
            this.productName = productName;
            this.quantity = quantity;
            this.price = price;
        }

        // getter和setter
        public Long getId() {
    return id; }
        public void setId(Long id) {
    this.id = id; }
        public Long getProductId() {
    return productId; }
        public void setProductId(Long productId) {
    this.productId = productId; }
        public String getProductName() {
    return productName; }
        public void setProductName(String productName) {
    this.productName = productName; }
        public Integer getQuantity() {
    return quantity; }
        public void setQuantity(Integer quantity) {
    this.quantity = quantity; }
        public Double getPrice() {
    return price; }
        public void setPrice(Double price) {
    this.price = price; }
    }
}

验证服务调用

  1. 启动order-service
  2. 访问 http://localhost:8082/orders/1
  3. 应返回包含产品信息的订单数据

4. 配置Spring Cloud Gateway

API网关作为微服务的入口,负责路由转发、负载均衡、认证授权等功能。

步骤1:创建网关项目,添加依赖

<dependencies>
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-gateway</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.cloud</groupId>
        <artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>
    </dependency>
    <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-actuator</artifactId>
    </dependency>
</dependencies>

注意:Spring Cloud Gateway基于Netty和WebFlux,不能与spring-boot-starter-web(Servlet)同时使用,会导致冲突。

步骤2:创建启动类

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;

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

步骤3:配置application.yml

server:
  port: 8080  # 网关端口

spring:
  application:
    name: api-gateway
  cloud:
    gateway:
      discovery:
        locator:
          enabled: true  # 启用服务发现定位器
          lower-case-service-id: true  # 服务ID转为小写
      routes:
        - id: product-service
          uri: lb://product-service  # 负载均衡到product-service
          predicates:
            - Path=/api/products/**  # 匹配路径
          filters:
            - StripPrefix=1  # 去除路径前缀/api
            - name: RequestRateLimiter
              args:
                redis-rate-limiter.replenishRate: 10  # 令牌桶填充速率
                redis-rate-limiter.burstCapacity: 20  # 令牌桶容量
                key-resolver: "#{@ipAddressKeyResolver}"  # 基于IP的限流

        - id: order-service
          uri: lb://order-service
          predicates:
            - Path=/api/orders/**
          filters:
            - StripPrefix=1

eureka:
  client:
    service-url:
      defaultZone: http://localhost:8761/eureka/
  instance:
    prefer-ip-address: true

步骤4:配置限流策略

import org.springframework.cloud.gateway.filter.ratelimit.KeyResolver;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
import reactor.core.publisher.Mono;

@Configuration
public class GatewayConfig {
   

    // 基于IP地址的限流
    @Bean
    public KeyResolver ipAddressKeyResolver() {
   
        return exchange -> Mono.just(
            exchange.getRequest()
                   .getRemoteAddress()
                   .getAddress()
                   .getHostAddress()
        );
    }
}

验证网关功能

  1. 启动网关服务
  2. 通过网关访问商品服务:http://localhost:8080/api/products/1
  3. 通过网关访问订单服务:http://localhost:8080/api/orders/1

关键技术点说明

  1. 版本兼容性
    Spring Cloud 2023.0.x 与 Spring Boot 3.2.x 完全兼容,但不兼容旧版本Spring Boot。在实际项目中,务必遵循官方的版本兼容矩阵。

  2. Resilience4j替代Hystrix
    从Spring Cloud 2020.0版本开始,Hystrix已被移除,推荐使用Resilience4j。它是一个轻量级、易于使用的熔断库,提供熔断、限流、重试等功能。

  3. Spring Cloud Gateway优势
    相比Zuul网关,Gateway基于非阻塞响应式编程模型,性能更高,支持动态路由、集成Spring生态系统的各种功能,是目前推荐的网关解决方案。

  4. 服务发现机制
    本文使用Eureka作为服务注册中心,在实际项目中也可选择Consul、Nacos等其他方案,配置方式类似,只需替换相应依赖和配置。

扩展与进阶

  1. 配置中心集成
    可添加Spring Cloud Config Server集中管理配置,实现配置的动态更新。

  2. 安全认证
    集成Spring Security和OAuth2,在网关层实现统一的认证授权。

  3. 分布式追踪
    添加Spring Cloud Sleuth和Zipkin实现分布式追踪,便于微服务问题排查。

  4. 监控告警
    结合Spring Boot Actuator、Prometheus和Grafana构建完善的监控告警体系。

通过本文的实操指南,你已掌握基于最新Spring Boot和Spring Cloud构建微服务架构的核心技能。在实际项目中,可根据业务需求进行扩展和优化,构建稳定、高效、可扩展的微服务系统。


Spring Boot 3.2,Spring Cloud 2023.0, 微服务架构,实操指南,分布式应用系统,系统构建,实战教程,微服务开发,分布式架构,Spring 框架,微服务实战,应用系统构建,Java 微服务,Spring 技术栈,分布式开发



代码获取方式
https://pan.quark.cn/s/14fcf913bae6


相关文章
|
4月前
|
人工智能 Java Nacos
基于 Spring AI Alibaba + Nacos 的分布式 Multi-Agent 构建指南
本文将针对 Spring AI Alibaba + Nacos 的分布式多智能体构建方案展开介绍,同时结合 Demo 说明快速开发方法与实际效果。
3691 79
|
4月前
|
监控 安全 JavaScript
2025基于springboot的校车预定全流程管理系统
针对传统校车管理效率低、信息不透明等问题,本研究设计并实现了一套校车预定全流程管理系统。系统采用Spring Boot、Java、Vue和MySQL等技术,实现校车信息管理、在线预定、实时监控等功能,提升学校管理效率,保障学生出行安全,推动教育信息化发展。
|
4月前
|
JavaScript Java 关系型数据库
基于springboot的高校运动会系统
本系统基于Spring Boot、Vue与MySQL,实现高校运动会报名、赛程安排及成绩管理的全流程信息化,提升组织效率,杜绝信息错漏与冒名顶替,推动体育赛事智能化发展。
|
4月前
|
JavaScript 安全 Java
基于springboot的大学生兼职系统
本课题针对大学生兼职信息不对称、权益难保障等问题,研究基于Spring Boot、Vue、MySQL等技术的兼职系统,旨在构建安全、高效、功能完善的平台,提升大学生就业竞争力与兼职质量。
|
4月前
|
缓存 监控 Java
《深入理解Spring》性能监控与优化——构建高性能应用的艺术
本文系统介绍了Spring生态下的性能监控与优化实践,涵盖监控体系构建、数据库调优、缓存策略、线程池配置及性能测试等内容,强调通过数据驱动、分层优化和持续迭代提升应用性能。
|
4月前
|
JavaScript Java 关系型数据库
基于springboot的美食城服务管理系统
本系统基于Spring Boot、Java、Vue和MySQL技术,构建集消费者服务、商家管理与后台监管于一体的美食城综合管理平台,提升运营效率与用户体验。
|
4月前
|
负载均衡 Java API
《深入理解Spring》Spring Cloud 构建分布式系统的微服务全家桶
Spring Cloud为微服务架构提供一站式解决方案,涵盖服务注册、配置管理、负载均衡、熔断限流等核心功能,助力开发者构建高可用、易扩展的分布式系统,并持续向云原生演进。
|
4月前
|
JavaScript Java 关系型数据库
基于springboot的摄影师分享交流社区系统
本系统基于Spring Boot与Vue构建摄影师分享交流平台,旨在打造专业社区,支持作品展示、技术交流与合作互动。采用Java、MySQL等成熟技术,提升摄影爱好者创作水平,推动行业发展。
|
4月前
|
Java 关系型数据库 MySQL
基于springboot的网咖网吧管理系统
本文探讨了基于Java、MySQL和SpringBoot的网吧管理系统的设计与实现。随着信息化发展,传统管理方式难以满足需求,而该系统通过先进技术提升管理效率、保障数据安全、降低运营成本,具有重要意义。