应用 Strangler 模式将遗留系统分解为微服务

2023-12-22 11:01

本文主要是介绍应用 Strangler 模式将遗留系统分解为微服务,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

许多来源在一般情况下提供了微服务的解释,但缺乏特定领域的示例。新来者或不确定从哪里开始的人可能会发现掌握如何将遗留系统过渡到微服务架构具有挑战性。本指南主要面向那些正在努力启动迁移工作的个人,它提供了特定于业务的示例来帮助理解该过程。

我想谈谈另一种模式 - Strangler模式 - 这是一种迁移模式,用于逐步从旧系统过渡到新系统,同时最大限度地降低风险。

让我们以传统杂货计费系统为例。现在是时候升级到微服务架构以利用其优势了。

Strangler 是一种逐步退役旧系统,同时逐步开发新系统的模式。这样,用户可以更快地开始使用新系统,而不是等待整个系统迁移完成。

在第一篇文章中,我将重点关注杂货店所需的微服务。例如,考虑这样一个场景:您当前有一个杂货店的遗留系统,并且您有兴趣将其升级到微服务架构并将其迁移到云。

杂货店遗留系统概述

首先,在线杂货店可能具有的模块是:

  1. 购物车服务

  2. 退款处理服务

  3. 库存管理服务:商品销售时减去商品数量,订单退款时加回商品数量。

根据 Strangler 模式,您应该能够用新的微服务替换一个模块,同时继续使用其他模块,直到更新的服务准备就绪。

在这里,您可以先用更新的服务替换购物车。由于购物车服务依赖于支付处理服务,因此您也需要开发该服务。

假设我们将逐步开发这些服务。出于演示目的,我将仅关注上述三个服务。但在现实场景中,您可能需要如下所示的其他服务来完成杂货店的整个电子商务网站:


public class Product
{public Guid Id { get; set; }public string Name { get; set; }public decimal Price { get; set; }public int StockQuantity { get; set; }public Category ProductCategory { get; set; }
}public class Category
{public Guid Id { get; set; }public string Name { get; set; }
}public class ShoppingCartItem
{public Product Product { get; set; }public int Quantity { get; set; }
}public class ShoppingCart
{public Guid Id { get; set; }public List<ShoppingCartItem> Items { get; set; }public Customer Customer { get; set; }public DateTime CreatedAt { get; set; }
}public class Order
{public Guid Id { get; set; }public List<ShoppingCartItem> Items { get; set; }public Customer Customer { get; set; }public decimal TotalAmount { get; set; }public DateTime CreatedAt { get; set; }
}

图片

现在让我们考虑每个服务所需的基本模型类和操作。

对于购物车服务,您需要以下模型类和操作:产品、产品类别、添加到购物车的商品、购物车和订单。它的结构如下:

购物车服务


public class Product
{public Guid Id { get; set; }public string Name { get; set; }public decimal Price { get; set; }public int StockQuantity { get; set; }public Category ProductCategory { get; set; }
}public class Category
{public Guid Id { get; set; }public string Name { get; set; }
}public class ShoppingCartItem
{public Product Product { get; set; }public int Quantity { get; set; }
}public class ShoppingCart
{public Guid Id { get; set; }public List<ShoppingCartItem> Items { get; set; }public Customer Customer { get; set; }public DateTime CreatedAt { get; set; }
}public class Order
{public Guid Id { get; set; }public List<ShoppingCartItem> Items { get; set; }public Customer Customer { get; set; }public decimal TotalAmount { get; set; }public DateTime CreatedAt { get; set; }
}

理想情况下,您应该创建一个共享项目来容纳所有模型和接口。首先必须确定必要的模型和操作。

在考虑客户可以在购物车中执行的操作时,通常只涉及一个主要操作,CreateOrder,即向购物车添加商品。然而,其他操作,例如支付处理、退款和库存调整,应作为单独的微服务来实现。这种模块化方法可以在管理业务流程的不同方面提供更大的灵活性和可扩展性。


public class BillingService : IBillingService
{public Order CreateOrder(Customer customer, List<ShoppingCartItem> items){return new Order{Id = Guid.NewGuid(), //Create a new order idItems = items,Customer = customer,TotalAmount = CalculateTotalAmount(items),CreatedAt = DateTime.Now};}private decimal CalculateTotalAmount(List<ShoppingCartItem> items){decimal totalAmount = 0;foreach (var item in items){totalAmount += item.Product.Price * item.Quantity;}return totalAmount;}
}

理想情况下,在共享项目中,您必须为 IBillingService 创建一个接口。它应该如下所示:

public interface IBillingService{   public Order CreateOrder(Customer customer, List<ShoppingCartItem> items);}

现在您可以对CreateOrder操作进行单元测试。

在现实世界中,通常的做法是创建IBillingRepository 将订单保存在数据库中。该存储库应包含在数据库中存储订单的方法,或者您可以选择使用下游服务来处理订单创建过程。

我不会解决用户身份验证、安全、托管、监控、代理以及本讨论中的其他相关主题,因为它们是不同的主题。我的主要关注点仍然是根据您的特定需求量身定制的微服务的设计方面。

创建购物车后,下一步涉及客户付款。让我们继续创建支付服务项目及其关联模型。

付款处理服务


public class Payment
{public Guid Id { get; set; }public decimal Amount { get; set; }public PaymentStatus Status { get; set; }public DateTime PaymentDate { get; set; }public PaymentMethod PaymentMethod { get; set; }
}public enum PaymentStatus
{Pending,Approved,Declined,
}
public enum PaymentMethod
{CreditCard,DebitCard,PayPal,
}public class Receipt
{public Guid Id { get; set; }public Order Order { get; set; }public decimal TotalAmount { get; set; }public DateTime IssuedDate { get; set; }
}public class PaymentService : IPaymentService
{private PaymentGateway paymentGateway;public PaymentService(){this.paymentGateway = new PaymentGateway();}public Payment MakePayment(decimal amount, PaymentMethod paymentMethod, string paymentDetails){// In a real system, you would handle the payment details and validation before calling the payment gateway.return paymentGateway.ProcessPayment(amount, paymentMethod, paymentDetails);}
}public class ReceiptService : IReceiptService
{public Receipt GenerateReceipt(Order order){var receipt = new Receipt{Id = Guid.NewGuid(),Order = order,TotalAmount = order.TotalAmount,IssuedDate = DateTime.Now};return receipt;}
}

在此服务项目中,您必须创建并实现以下接口:


public Interface IPaymentService
{public Payment MakePayment(decimal amount, PaymentMethod paymentMethod, string paymentDetails); 
}
public Interface IReceiptService
{public Receipt GenerateReceipt(Order order);
}public Interface IPaymentRepository
{public Payment ProcessPayment(decimal amount, PaymentMethod paymentMethod, string paymentDetails)
} public class PaymentGateway : IPaymentRepository
{public Payment ProcessPayment(decimal amount, PaymentMethod paymentMethod, string paymentDetails){// Simplified payment processing logic for demonstrationvar payment = new Payment{Id = Guid.NewGuid(),Amount = amount,Status = PaymentStatus.Pending,PaymentDate = DateTime.Now,PaymentMethod = paymentMethod};// In a real system, you would connect to a payment gateway and process the payment, updating the payment status accordingly.// For example, you might use an external payment processing library or API to handle the transaction.// Simulating a successful payment here for demonstration purposes.payment.Status = PaymentStatus.Approved;return payment;}
}

创建所有这些服务后,我们可以轻松地使用新系统停用购物车(假设您也有一个并行完成的新用户界面)。

接下来,我们必须解决下订单后的库存管理问题。库存管理服务负责在创建采购订单时补货。该服务项目的结构如下:

库存管理服务

public class Product
{public Guid Id { get; set; }public string Name { get; set; }public decimal Price { get; set; }public int QuantityInStock { get; set; }public Category ProductCategory { get; set; }
}
public class Category
{public Guid Id { get; set; }public string Name { get; set; }
}public class Supplier
{public Guid Id { get; set; }public string Name { get; set; }public string ContactEmail { get; set; }
}
public class PurchaseOrder
{public Guid Id { get; set; }public Supplier Supplier { get; set; }public List<PurchaseOrderItem> Items { get; set; }public DateTime OrderDate { get; set; }public bool IsReceived { get; set; }
}public class PurchaseOrderItem
{public Product Product { get; set; }public int QuantityOrdered { get; set; }public decimal UnitPrice { get; set; }
}public interface IInventoryManagementService
{void ReceivePurchaseOrder(PurchaseOrder purchaseOrder);void SellProduct(Product product, int quantitySold);
}public class InventoryManagementService : IInventoryManagementService
{public void ReceivePurchaseOrder(PurchaseOrder purchaseOrder){if (purchaseOrder.IsReceived){throw new InvalidOperationException("The order is already placed.");}foreach (var item in purchaseOrder.Items){item.Product.QuantityInStock += item.QuantityOrdered;}purchaseOrder.IsReceived = true;}public void SellProduct(Product product, int quantitySold){if (product.QuantityInStock < quantitySold){throw new InvalidOperationException("Item not in stock.");}product.QuantityInStock -= quantitySold;}
}

正如我所提到的,本指南主要面向那些正在努力启动迁移工作的个人,它提供了特定于业务的示例来帮助理解该过程。

我相信本文为如何在微服务架构中启动迁移项目提供了宝贵的见解。如果您正在开发杂货店或任何在线购物车系统,那么此信息对您来说应该特别有用。我希望你能从这里拿走它。在我的下一篇文章中,我将介绍另一个特定于领域的示例,因为您始终可以在其他地方探索有关微服务的更多一般信息。


作者:Somasundaram Kumarasamy

更多技术干货请关注公号【云原生数据库

squids.cn,云数据库RDS,迁移工具DBMotion,云备份DBTwin等数据库生态工具。

irds.cn,多数据库管理平台(私有云)。

这篇关于应用 Strangler 模式将遗留系统分解为微服务的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



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

相关文章

不懂推荐算法也能设计推荐系统

本文以商业化应用推荐为例,告诉我们不懂推荐算法的产品,也能从产品侧出发, 设计出一款不错的推荐系统。 相信很多新手产品,看到算法二字,多是懵圈的。 什么排序算法、最短路径等都是相对传统的算法(注:传统是指科班出身的产品都会接触过)。但对于推荐算法,多数产品对着网上搜到的资源,都会无从下手。特别当某些推荐算法 和 “AI”扯上关系后,更是加大了理解的难度。 但,不了解推荐算法,就无法做推荐系

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

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

基于人工智能的图像分类系统

目录 引言项目背景环境准备 硬件要求软件安装与配置系统设计 系统架构关键技术代码示例 数据预处理模型训练模型预测应用场景结论 1. 引言 图像分类是计算机视觉中的一个重要任务,目标是自动识别图像中的对象类别。通过卷积神经网络(CNN)等深度学习技术,我们可以构建高效的图像分类系统,广泛应用于自动驾驶、医疗影像诊断、监控分析等领域。本文将介绍如何构建一个基于人工智能的图像分类系统,包括环境

水位雨量在线监测系统概述及应用介绍

在当今社会,随着科技的飞速发展,各种智能监测系统已成为保障公共安全、促进资源管理和环境保护的重要工具。其中,水位雨量在线监测系统作为自然灾害预警、水资源管理及水利工程运行的关键技术,其重要性不言而喻。 一、水位雨量在线监测系统的基本原理 水位雨量在线监测系统主要由数据采集单元、数据传输网络、数据处理中心及用户终端四大部分构成,形成了一个完整的闭环系统。 数据采集单元:这是系统的“眼睛”,

csu 1446 Problem J Modified LCS (扩展欧几里得算法的简单应用)

这是一道扩展欧几里得算法的简单应用题,这题是在湖南多校训练赛中队友ac的一道题,在比赛之后请教了队友,然后自己把它a掉 这也是自己独自做扩展欧几里得算法的题目 题意:把题意转变下就变成了:求d1*x - d2*y = f2 - f1的解,很明显用exgcd来解 下面介绍一下exgcd的一些知识点:求ax + by = c的解 一、首先求ax + by = gcd(a,b)的解 这个

hdu1394(线段树点更新的应用)

题意:求一个序列经过一定的操作得到的序列的最小逆序数 这题会用到逆序数的一个性质,在0到n-1这些数字组成的乱序排列,将第一个数字A移到最后一位,得到的逆序数为res-a+(n-a-1) 知道上面的知识点后,可以用暴力来解 代码如下: #include<iostream>#include<algorithm>#include<cstring>#include<stack>#in

嵌入式QT开发:构建高效智能的嵌入式系统

摘要: 本文深入探讨了嵌入式 QT 相关的各个方面。从 QT 框架的基础架构和核心概念出发,详细阐述了其在嵌入式环境中的优势与特点。文中分析了嵌入式 QT 的开发环境搭建过程,包括交叉编译工具链的配置等关键步骤。进一步探讨了嵌入式 QT 的界面设计与开发,涵盖了从基本控件的使用到复杂界面布局的构建。同时也深入研究了信号与槽机制在嵌入式系统中的应用,以及嵌入式 QT 与硬件设备的交互,包括输入输出设

JAVA智听未来一站式有声阅读平台听书系统小程序源码

智听未来,一站式有声阅读平台听书系统 🌟&nbsp;开篇:遇见未来,从“智听”开始 在这个快节奏的时代,你是否渴望在忙碌的间隙,找到一片属于自己的宁静角落?是否梦想着能随时随地,沉浸在知识的海洋,或是故事的奇幻世界里?今天,就让我带你一起探索“智听未来”——这一站式有声阅读平台听书系统,它正悄悄改变着我们的阅读方式,让未来触手可及! 📚&nbsp;第一站:海量资源,应有尽有 走进“智听

zoj3820(树的直径的应用)

题意:在一颗树上找两个点,使得所有点到选择与其更近的一个点的距离的最大值最小。 思路:如果是选择一个点的话,那么点就是直径的中点。现在考虑两个点的情况,先求树的直径,再把直径最中间的边去掉,再求剩下的两个子树中直径的中点。 代码如下: #include <stdio.h>#include <string.h>#include <algorithm>#include <map>#

在JS中的设计模式的单例模式、策略模式、代理模式、原型模式浅讲

1. 单例模式(Singleton Pattern) 确保一个类只有一个实例,并提供一个全局访问点。 示例代码: class Singleton {constructor() {if (Singleton.instance) {return Singleton.instance;}Singleton.instance = this;this.data = [];}addData(value)