探索微服务架构中的动态服务发现与调用:使用 Nacos 与 Spring Cloud OpenFeign 打造高效订单管理系统

本文主要是介绍探索微服务架构中的动态服务发现与调用:使用 Nacos 与 Spring Cloud OpenFeign 打造高效订单管理系统,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

1. 背景

在现代微服务架构中,服务之间的通信与协作是非常重要的。Spring Cloud Alibaba 提供了一套完整的微服务解决方案,其中包括 Nacos 用于服务注册与发现,OpenFeign 用于声明式服务调用,Spring Cloud LoadBalancer 用于负载均衡。本文将通过一个简单的电商系统示例,演示如何使用这些组件来实现服务之间的交互。

2. 应用场景

在本示例中,我们将实现一个电商系统,包含以下三个服务:

  • 订单服务(Order Service):处理用户的订单请求。
  • 商品服务(Product Service):提供商品信息查询。
  • 用户服务(User Service):管理用户信息和验证。

每个服务将注册到 Nacos 服务注册中心,并通过 OpenFeign 实现服务之间的调用。此外,我们将使用 Spring Cloud LoadBalancer 来实现负载均衡。

3. 环境准备

在开始之前,确保以下环境和依赖已安装:

  • JDK 8 或更高版本
  • Maven
  • Nacos(可在本地运行 Nacos 服务)
  • Spring Boot 2.5+ 和 Spring Cloud 2021+ 版本

4. Nacos 配置

所有服务都将注册到 Nacos,因此需要在每个服务的 application.yml 中配置 Nacos。

spring:cloud:nacos:discovery:server-addr: localhost:8848  # Nacos 服务地址

5. 商品服务(Product Service)实现

商品服务提供商品信息查询接口。

5.1 项目结构
product-service├── src│   ├── main│   │   ├── java│   │   │   └── com.example.product│   │   │       ├── ProductServiceApplication.java│   │   │       ├── controller│   │   │       │   └── ProductController.java│   │   │       └── model│   │   │           └── Product.java│   │   └── resources│   │       └── application.yml└── pom.xml
5.2 代码实现
  • ProductServiceApplication.java
package com.example.product;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);}
}
  • ProductController.java
package com.example.product.controller;import com.example.product.model.Product;
import org.springframework.web.bind.annotation.*;@RestController
@RequestMapping("/api/products")
public class ProductController {@GetMapping("/{id}")public Product getProductById(@PathVariable Long id) {// 模拟从数据库获取商品信息return new Product(id, "Sample Product", "This is a sample product", 99.99);}
}
  • Product.java
package com.example.product.model;public class Product {private Long id;private String name;private String description;private Double price;public Product(Long id, String name, String description, Double price) {this.id = id;this.name = name;this.description = description;this.price = price;}// Getter 和 Setter 方法// ...
}
  • application.yml
server:port: 8081spring:application:name: product-servicecloud:nacos:discovery:server-addr: localhost:8848

6. 用户服务(User Service)实现

用户服务提供用户信息管理和验证接口。

6.1 项目结构
user-service├── src│   ├── main│   │   ├── java│   │   │   └── com.example.user│   │   │       ├── UserServiceApplication.java│   │   │       ├── controller│   │   │       │   └── UserController.java│   │   │       └── model│   │   │           └── User.java│   │   └── resources│   │       └── application.yml└── pom.xml
6.2 代码实现
  • UserServiceApplication.java
package com.example.user;import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;@SpringBootApplication
@EnableDiscoveryClient  // 启用服务发现
public class UserServiceApplication {public static void main(String[] args) {SpringApplication.run(UserServiceApplication.class, args);}
}
  • UserController.java
package com.example.user.controller;import com.example.user.model.User;
import org.springframework.web.bind.annotation.*;@RestController
@RequestMapping("/api/users")
public class UserController {@GetMapping("/{id}")public User getUserById(@PathVariable Long id) {// 模拟从数据库获取用户信息return new User(id, "John Doe", "john.doe@example.com");}
}
  • User.java
package com.example.user.model;public class User {private Long id;private String username;private String email;public User(Long id, String username, String email) {this.id = id;this.username = username;this.email = email;}// Getter 和 Setter 方法// ...
}
  • application.yml
server:port: 8082spring:application:name: user-servicecloud:nacos:discovery:server-addr: localhost:8848

7. 订单服务(Order Service)实现

订单服务将调用商品服务和用户服务来创建订单。

7.1 项目结构
order-service├── src│   ├── main│   │   ├── java│   │   │   └── com.example.order│   │   │       ├── OrderServiceApplication.java│   │   │       ├── controller│   │   │       │   └── OrderController.java│   │   │       ├── feign│   │   │       │   ├── ProductClient.java│   │   │       │   └── UserClient.java│   │   │       └── model│   │   │           ├── Order.java│   │   │           ├── OrderRequest.java│   │   │           ├── Product.java│   │   │           └── User.java│   │   └── resources│   │       └── application.yml└── pom.xml
7.2 代码实现
  • OrderServiceApplication.java
package com.example.order;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  // 启用 OpenFeign 客户端
public class OrderServiceApplication {public static void main(String[] args) {SpringApplication.run(OrderServiceApplication.class, args);}
}
  • OrderController.java
package com.example.order.controller;import com.example.order.feign.ProductClient;
import com.example.order.feign.UserClient;
import com.example.order.model.Order;
import com.example.order.model.OrderRequest;
import com.example.order.model.Product;
import com.example.order.model.User;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.*;@RestController
@RequestMapping("/api/orders")
public class OrderController {@Autowiredprivate ProductClient productClient;@Autowiredprivate UserClient userClient;@PostMappingpublic Order createOrder(@RequestBody OrderRequest orderRequest) {// 通过 OpenFeign 调用商品服务Product product = productClient.getProductById(orderRequest.getProductId());// 通过 OpenFeign 调用用户服务User user = userClient.getUserById(orderRequest.getUserId());// 创建订单逻辑return new Order(user.getId(), product.getId(), 1, product.getPrice());}
}
  • ProductClient.java
package com.example.order.feign;import com.example.order.model.Product;
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 ProductClient {@GetMapping("/api/products/{id}")Product getProductById(@PathVariable("id") Long id);
}
  • UserClient.java
package com.example.order.feign;import com.example.order.model.User;
import org.springframework.cloud.openfeign.FeignClient;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;@FeignClient(name = "user-service")
public interface UserClient {@GetMapping("/api/users/{id}")User getUserById(@PathVariable("id") Long id);
}
  • Order.java
package com.example.order.model;public class Order {private Long userId;private Long productId;private Integer quantity;private Double totalPrice;public Order(Long userId, Long productId, Integer quantity, Double totalPrice) {this.userId = userId;this.productId = productId;this.quantity = quantity;this.totalPrice = totalPrice;}// Getter 和 Setter 方法// ...
}
  • OrderRequest.java
package com.example.order.model;public class OrderRequest {private Long userId;private Long productId;public OrderRequest(Long userId, Long productId) {this.userId = userId;this.productId = productId;}// Getter 和 Setter 方法// ...
}
  • application.yml
server:port: 8083spring:application:name: order-servicecloud:nacos:discovery:server-addr: localhost:8848loadbalancer:ribbon:enabled: false  # 使用 Spring Cloud LoadBalancer 代替 Ribbon

8. 服务注册与发现

启动所有三个服务,确保它们正确注册到 Nacos。在 Nacos 控制台中,你应该能够看到 order-serviceproduct-serviceuser-service 的实例。

9. 测试

  1. 使用 Postman 或 curl 发送 HTTP POST 请求到 order-service/api/orders 接口,传入 OrderRequest 数据。
  2. order-service 将通过 ProductClientUserClient 调用相应的商品服务和用户服务,获取商品和用户信息,并创建订单。

10. 总结

本文通过一个完整的电商系统示例,展示了如何使用 Spring Cloud Alibaba Nacos 进行服务注册与发现,使用 OpenFeign 进行声明式服务调用,以及使用 Spring Cloud LoadBalancer 实现负载均衡。通过 Nacos、OpenFeign 和 LoadBalancer 的协同工作,我们能够轻松构建一个稳定、可靠且可扩展的微服务架构。希望本文的示例能够为你在实际项目中应用这些技术提供参考。

这篇关于探索微服务架构中的动态服务发现与调用:使用 Nacos 与 Spring Cloud OpenFeign 打造高效订单管理系统的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1110172

相关文章

JVM 的类初始化机制

前言 当你在 Java 程序中new对象时,有没有考虑过 JVM 是如何把静态的字节码(byte code)转化为运行时对象的呢,这个问题看似简单,但清楚的同学相信也不会太多,这篇文章首先介绍 JVM 类初始化的机制,然后给出几个易出错的实例来分析,帮助大家更好理解这个知识点。 JVM 将字节码转化为运行时对象分为三个阶段,分别是:loading 、Linking、initialization

Spring Security 基于表达式的权限控制

前言 spring security 3.0已经可以使用spring el表达式来控制授权,允许在表达式中使用复杂的布尔逻辑来控制访问的权限。 常见的表达式 Spring Security可用表达式对象的基类是SecurityExpressionRoot。 表达式描述hasRole([role])用户拥有制定的角色时返回true (Spring security默认会带有ROLE_前缀),去

浅析Spring Security认证过程

类图 为了方便理解Spring Security认证流程,特意画了如下的类图,包含相关的核心认证类 概述 核心验证器 AuthenticationManager 该对象提供了认证方法的入口,接收一个Authentiaton对象作为参数; public interface AuthenticationManager {Authentication authenticate(Authenti

Spring Security--Architecture Overview

1 核心组件 这一节主要介绍一些在Spring Security中常见且核心的Java类,它们之间的依赖,构建起了整个框架。想要理解整个架构,最起码得对这些类眼熟。 1.1 SecurityContextHolder SecurityContextHolder用于存储安全上下文(security context)的信息。当前操作的用户是谁,该用户是否已经被认证,他拥有哪些角色权限…这些都被保

Spring Security基于数据库验证流程详解

Spring Security 校验流程图 相关解释说明(认真看哦) AbstractAuthenticationProcessingFilter 抽象类 /*** 调用 #requiresAuthentication(HttpServletRequest, HttpServletResponse) 决定是否需要进行验证操作。* 如果需要验证,则会调用 #attemptAuthentica

Spring Security 从入门到进阶系列教程

Spring Security 入门系列 《保护 Web 应用的安全》 《Spring-Security-入门(一):登录与退出》 《Spring-Security-入门(二):基于数据库验证》 《Spring-Security-入门(三):密码加密》 《Spring-Security-入门(四):自定义-Filter》 《Spring-Security-入门(五):在 Sprin

Java架构师知识体认识

源码分析 常用设计模式 Proxy代理模式Factory工厂模式Singleton单例模式Delegate委派模式Strategy策略模式Prototype原型模式Template模板模式 Spring5 beans 接口实例化代理Bean操作 Context Ioc容器设计原理及高级特性Aop设计原理Factorybean与Beanfactory Transaction 声明式事物

mybatis的整体架构

mybatis的整体架构分为三层: 1.基础支持层 该层包括:数据源模块、事务管理模块、缓存模块、Binding模块、反射模块、类型转换模块、日志模块、资源加载模块、解析器模块 2.核心处理层 该层包括:配置解析、参数映射、SQL解析、SQL执行、结果集映射、插件 3.接口层 该层包括:SqlSession 基础支持层 该层保护mybatis的基础模块,它们为核心处理层提供了良好的支撑。

百度/小米/滴滴/京东,中台架构比较

小米中台建设实践 01 小米的三大中台建设:业务+数据+技术 业务中台--从业务说起 在中台建设中,需要规范化的服务接口、一致整合化的数据、容器化的技术组件以及弹性的基础设施。并结合业务情况,判定是否真的需要中台。 小米参考了业界优秀的案例包括移动中台、数据中台、业务中台、技术中台等,再结合其业务发展历程及业务现状,整理了中台架构的核心方法论,一是企业如何共享服务,二是如何为业务提供便利。

中文分词jieba库的使用与实景应用(一)

知识星球:https://articles.zsxq.com/id_fxvgc803qmr2.html 目录 一.定义: 精确模式(默认模式): 全模式: 搜索引擎模式: paddle 模式(基于深度学习的分词模式): 二 自定义词典 三.文本解析   调整词出现的频率 四. 关键词提取 A. 基于TF-IDF算法的关键词提取 B. 基于TextRank算法的关键词提取