Rust 建造者模式

在DDD中,DTO(数据传输对象)->BO(业务对象)、BO(业务对象)->PO(持久化对象,有的叫DO,即和数据表映射的实体)等等情况要做转换,这里提供以下转换方式

1、from或者try_from trait实现对象转换

需要转换对象满足接收对象的所有字段

客户定义

#[derive(Serialize, Deserialize, Clone, Debug)]
pub struct Customer {// uuidpub user_id: String,// 用户名pub username: String,// 邮件pub email: String,// 密码pub password: String,// 头像pub avatar: Option<String>,// 验证码pub verify_code: Option<String>,// 收货地址pub receive_address: Vec<ReceiveAddress>,
}

通过实现from trait,可以从Model转换为Customer

impl From<Model> for Customer {fn from(user: Model) -> Self {Customer {user_id: user.user_id,username: user.username,email: user.email,password: user.password,avatar: user.avatar,verify_code: user.verify_code,receive_address: user.receive_address,}}
}

实现了From trait默认自动实现Into trait,你可以通过以下两种方式实现对象转换,Try from trait用法一样,只是在转换失败时可以返回错误

// 使用from方法将Model实例转换为Customer实例
let customer_instance = Customer::from(model_instance);// 或者使用更简洁的into方法,它会自动调用对应的from方法
let another_customer_instance = model_instance.into();

但是这样不够优雅,很多时候DTO并不能满足领域对象的所有字段,数据对象也不能满足领域对象的所有字段,例如以上例子的验证码和收货地址,最初没有数据时需要设置默认值

// 转Bo
impl From<Model> for Customer {fn from(user: Model) -> Self {Customer {user_id: user.user_id,username: user.username,email: user.email,password: user.password,avatar: user.avatar,verify_code: None,receive_address: vec![],}}
}

当下一次从数据库中查到数据需要给收货地址赋值的情况下,这种方案就不适用了,可以使用以下建造者模式

2、链式调用

此时所有字段都是private的,通过builder去赋值

// 注意使用了Default,没有builder的值有默认值
#[derive(Serialize, Deserialize, Clone, Debug, Default)]
pub struct Customer {// uuidpub user_id: String,// 用户名pub username: String,// 邮件pub email: String,// 密码pub password: String,// 头像pub avatar: Option<String>,// 验证码pub verify_code: Option<String>,// 收货地址pub receive_address: Vec<ReceiveAddress>,
}
impl Customer {// new默认值pub fn new() -> Self {Self {user_id: String::new(),username: String::new(),email: String::new(),password: String::new(),avatar: None,verify_code: None,receive_address: Vec::new(),}}pub fn user_id(mut self, user_id: String) -> Self {self.user_id = user_id;self}pub fn username(mut self, username: String) -> Self {self.username = username;self}pub fn email(mut self, email: String) -> Self {self.email = email;self}pub fn password(mut self, password: String) -> Self {self.password = password;self}pub fn avatar(mut self, avatar: Option<String>) -> Self {self.avatar = avatar;self}pub fn verify_code(mut self, verify_code: Option<String>) -> Self {self.verify_code = verify_code;self}pub fn receive_address(mut self, receive_address: Vec<ReceiveAddress>) -> Self {self.receive_address = receive_address;self}
}

使用

    let customer = Customer::new().user_id("123".to_string()).username("张三".to_string()).email("<EMAIL>".to_string());let customer = customer.avatar(Some("https://www.baidu.com".to_string()));print!("{:?}\n", customer);//Customer { user_id: "123", username: "张三", email: "<EMAIL>", password: "", avatar: Some("https://www.baidu.com"), verify_code: None, receive_address: [] }// 修改原有对象let customer = customer.email("123@qq.com".to_string());println!("{:?}", customer);//Customer { user_id: "123", username: "张三", email: "123@qq.com", password: "", avatar: Some("https://www.baidu.com"), verify_code: None, receive_address: [] }

这种方式容易造成意外修改的传播,不推荐

3、建造者模式实现对象转换

在Java中很简单,加上@Builder注解即可

@Builder
public class User {private UserLastname lastname;private UserFirstname firstname;private UserEmail email;private UserPublicId userPublicId;private UserImageUrl imageUrl;private Instant lastModifiedDate;private Instant createdDate;private Set<Authority> authorities;private Long dbId;private UserAddress userAddress;private Instant lastSeen;public User(UserLastname lastname, UserFirstname firstname, UserEmail email, UserPublicId userPublicId, UserImageUrl imageUrl, Instant lastModifiedDate, Instant createdDate, Set<Authority> authorities, Long dbId, UserAddress userAddress, Instant lastSeen) {this.lastname = lastname;this.firstname = firstname;this.email = email;this.userPublicId = userPublicId;this.imageUrl = imageUrl;this.lastModifiedDate = lastModifiedDate;this.createdDate = createdDate;this.authorities = authorities;this.dbId = dbId;this.userAddress = userAddress;this.lastSeen = lastSeen;}
}

通过builder()使用,通过结尾的build()返回新对象

UserBuilder.email(user.getEmail().value()).firstName(user.getFirstname().value()).lastName(user.getLastname().value()).publicId(user.getUserPublicId().value()).authorities(RestAuthority.fromSet(user.getAuthorities())).build()

Rust实现(值传递)建造者模式

和直接链式调用相比,添加了一个build函数返回新对象

// 注意使用了Default,没有builder的值有默认值
#[derive(Serialize, Deserialize, Clone, Debug, Default)]
pub struct Customer {// uuiduser_id: String,// 用户名username: String,// 邮件email: String,// 密码password: String,// 头像avatar: Option<String>,// 验证码verify_code: Option<String>,// 收货地址receive_address: Vec<ReceiveAddress>,
}
// 建造(者结构体,包含一个需要构建的对象
#[derive(Default, Clone, Debug)]
pub struct CustomerBuilder {customer: Customer,
}
impl CustomerBuilder {pub fn new() -> Self {// 初始化默认值CustomerBuilder::default()}pub fn user_id(mut self, user_id: String) -> Self {self.customer.user_id = user_id;self}pub fn username(mut self, username: String) -> Self {self.customer.username = username;self}pub fn email(mut self, email: String) -> Self {self.customer.email = email;self}pub fn password(mut self, password: String) -> Self {self.customer.password = password;self}pub fn avatar(mut self, avatar: Option<String>) -> Self {self.customer.avatar = avatar;self}pub fn verify_code(mut self, verify_code: Option<String>) -> Self {self.customer.verify_code = verify_code;self}pub fn receive_address(mut self, receive_address: Vec<ReceiveAddress>) -> Self {self.customer.receive_address = receive_address;self}pub fn build(self) -> Customer {Customer {user_id: self.customer.user_id,username: self.customer.username,email: self.customer.email,password: self.customer.password,avatar: self.customer.avatar,verify_code: self.customer.verify_code,receive_address: self.customer.receive_address,}}
}

使用,没有建造的字段由于Default宏的存在会初始化默认值,这种用法和第二种链式调用方式相比每次创建新对象,对象无法修改,只能创建新对象,使用对象会消耗对象适合创建值对象响应DTOEvent(因为这些对象用完就会被Drop,创建后就不可变)

   let customer_builder = CustomerBuilder::new();let customer = customer_builder.clone().user_id("123".to_string()).username("张三".to_string()).email("<EMAIL>".to_string());let customer = customer.clone().avatar(Some("https://www.baidu.com".to_string()));let customer = customer.clone().build();print!("{:?}\n", customer);// Customer { user_id: "123", username: "张三", email: "<EMAIL>", password: "", avatar: Some("https://www.baidu.com"), verify_code: None, receive_address: [] }// 创建新对象let customer = customer_builder.clone().email("123@qq.com".to_string()).build();println!("{:?}", customer);// Customer { user_id: "", username: "", email: "123@qq.com", password: "", avatar: None, verify_code: None, receive_address: [] }

Rust实现(引用修改)建造者模式

如果不想消耗对象,可以将其字段都设置为&mut,使用clone()是为了返回的新对象是完全独立的副本

// 注意使用了Default,没有builder的值有默认值
#[derive(Serialize, Deserialize, Clone, Debug, Default)]
pub struct Customer {// uuiduser_id: String,// 用户名username: String,// 邮件email: String,// 密码password: String,// 头像avatar: Option<String>,// 验证码verify_code: Option<String>,// 收货地址receive_address: Vec<ReceiveAddress>,
}
// 建造(者结构体,包含一个需要构建的对象
#[derive(Default, Clone, Debug)]
pub struct CustomerBuilder {customer: Customer,
}
impl CustomerBuilder {pub fn new() -> Self {CustomerBuilder::default()}pub fn user_id(&mut self, user_id: String) -> &mut Self {self.customer.user_id = user_id;self}pub fn username(&mut self, username: String) -> &mut Self {self.customer.username = username;self}pub fn email(&mut self, email: String) -> &mut Self {self.customer.email = email;self}pub fn password(&mut self, password: String) -> &mut Self {self.customer.password = password;self}pub fn avatar(&mut self, avatar: Option<String>) -> &mut Self {self.customer.avatar = avatar;self}pub fn verify_code(&mut self, verify_code: Option<String>) -> &mut Self {self.customer.verify_code = verify_code;self}pub fn receive_address(&mut self, receive_address: Vec<ReceiveAddress>) -> &mut Self {self.customer.receive_address = receive_address;self}pub fn build(&self) -> Customer {Customer {user_id: self.customer.user_id.clone(),username: self.customer.username.clone(),email: self.customer.email.clone(),password: self.customer.password.clone(),avatar: self.customer.avatar.clone(),verify_code: self.customer.verify_code.clone(),receive_address: self.customer.receive_address.clone(),}}
}

使用,这里对象创建后不会消耗对象,可以通过.build()修改并返回新对象,适合创建领域模型如聚合对象

let mut binding = CustomerBuilder::new().clone();
let customer = binding.user_id("123".to_string()).username("张三".to_string()).email("<EMAIL>".to_string());
let customer = customer.avatar(Some("https://www.baidu.com".to_string()));
let customer = customer.build();
print!("{:?}\n", customer);
//Customer { user_id: "123", username: "张三", email: "<EMAIL>", password: "", avatar: Some("https://www.baidu.com"), verify_code: None, receive_address: [] }
// 修改原有对象
let customer = binding.email("123@qq.com".to_string()).build();
println!("{:?}", customer);
//Customer { user_id: "123", username: "张三", email: "123@qq.com", password: "", avatar: Some("https://www.baidu.com"), verify_code: None, receive_address: [] }

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/470213.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

深入理解接口测试:实用指南与最佳实践5.0(二)

✨博客主页&#xff1a; https://blog.csdn.net/m0_63815035?typeblog &#x1f497;《博客内容》&#xff1a;.NET、Java.测试开发、Python、Android、Go、Node、Android前端小程序等相关领域知识 &#x1f4e2;博客专栏&#xff1a; https://blog.csdn.net/m0_63815035/cat…

【go从零单排】Random Numbers、Number Parsing

&#x1f308;Don’t worry , just coding! 内耗与overthinking只会削弱你的精力&#xff0c;虚度你的光阴&#xff0c;每天迈出一小步&#xff0c;回头时发现已经走了很远。 &#x1f4d7;概念 这里是引用 &#x1f4bb;代码 Random Numbers package mainimport ("fmt…

网页web无插件播放器EasyPlayer.js点播播放器遇到视频地址播放不了的现象及措施

在数字媒体时代&#xff0c;视频点播已成为用户获取信息和娱乐的重要方式。EasyPlayer.js作为一款流行的点播播放器&#xff0c;以其强大的功能和易用性受到广泛欢迎。然而&#xff0c;在使用过程中&#xff0c;用户可能会遇到视频地址无法播放的问题&#xff0c;这不仅影响用户…

mysql5.7安装SSL报错解决(2),总结

Caused by: java.io.EOFException: SSL peer shut down incorrectly 在java里面连接mysql5.7.17数据库&#xff0c;报以上错误&#xff0c; 将数据库升级到mysql5.7.44就可以了。 这两天处理java连接mysql的问题&#xff0c;报了各种错误&#xff0c;总结一下就是openssl和mysq…

vue项目npm run serve出现【- Network: unavailable】(从排查到放弃)

1. 问题现象 环境&#xff1a; 系统&#xff1a;win11node&#xff1a;v16.20.2“vue”: “2.6.10” 执行npm run serve启动vue项目&#xff0c;期望&#xff1a; App running at:- Local: http://localhost:9528/ - Network: http://x.x.x.x:9528/实际&#xff1a; App runn…

【vue2.0入门】vue单文件组件

目录 引言一、配置编辑器vue2代码片段模版1. 配置vue2代码模版2. 使用vue模版 二、模版介绍1. template区域2. script 区域2.1 name2.2 components2.3 props2.4 data2.5 computed2.6 watch2.7 methods2.8 生命周期函数 3. style 区域 三、总结 引言 本系列教程旨在帮助一些零基…

外星人入侵

学习于Python编程从入门到实践&#xff08;Eric Matthes 著&#xff09; 整体目录&#xff1a;外星人入侵文件夹是打包后的不必在意 图片和音效都是网上下载的 音效下载网站&#xff1a;Free 游戏爆击中 Sound Effects Download - Pixabay 运行效果&#xff1a;可以上下左右移…

【Qt】Macbook M1下载安装

文章目录 一、下载Xcode命令行工具二、在Cion中配置编译器三、安装Qt四、配置qmake环境五、创建Qt项目 博主已经下载了Clion&#xff0c;所以本文是将qt配置到Clion上 本博客所写的教程有一定的问题&#xff0c;因为我在官网下载后发现有一些所需的包是没有的&#xff0c;不知道…

Vim9 语法高亮syntax 在指定的缓冲区和窗口执行命令

背景&#xff1a;从开发&#xff0c;创建makefile、编译、单元测试、到生产部署都只有俺一个人&#xff0c;所以所有的工作都要自己完成&#xff0c;因此有了想法做一个插件&#xff0c;按需实现&#xff1a;构建Makefile&#xff0c;编译、打包、压缩、上传服务器、解压、安装…

docker之容器设置开机自启(4)

命令语法&#xff1a; docker update --restartalways 容器ID/容器名 选项&#xff1a; --restart参数 no 默认策略&#xff0c;在容器退出时不重启容器 on-failure 在容器非正常退出时&#xff08;退出状态非0&#xff09;&#xff0c;才会重启容器 …

动态规划 —— 子数组系列-最大子数组和

1. 最大子数组和 题目链接&#xff1a; 53. 最大子数组和 - 力扣&#xff08;LeetCode&#xff09;https://leetcode.cn/problems/maximum-subarray/description/ 2. 算法原理 状态表示&#xff1a;以某一个位置为结尾或者以某一个位置为起点 dp[i]表示&#xff1a;以i位置为结…

【教程】华南理工大学国际校区宿舍门锁声音设置

转载请注明出处&#xff1a;小锋学长生活大爆炸[xfxuezhagn.cn] 如果本文帮助到了你&#xff0c;欢迎[点赞、收藏、关注]哦~ 视频教程&#xff1a;【教程】华南理工大学国际校区宿舍门锁声音设置_哔哩哔哩_bilibili 来自&#xff1a; https://tieba.baidu.com/p/8297840035

【AI技术对电商的影响】

&#x1f49d;&#x1f49d;&#x1f49d;欢迎来到我的博客&#xff0c;很高兴能够在这里和您见面&#xff01;希望您在这里可以感受到一份轻松愉快的氛围&#xff0c;不仅可以获得有趣的内容和知识&#xff0c;也可以畅所欲言、分享您的想法和见解。 推荐:kwan 的首页,持续学…

uni-app中使用 unicloud 云开发平台③

文章目录 六、hbuilderX 中使用 unicloud 云开发平台文档传统业务开发流程什么是 unicloudunicloud 优点开发流程uncloud 构成云数据库云存储及 CDN创建云函数工程七、unicloud api 操作云函数调用云函数实现云数据库基本增删改查1. 获取数据库引用云存储操作六、hbuilderX 中使…

智享AI 无人自动直播的崛起 ,引领智能互动与自动带货新潮流!

在当今数字化飞速发展的时代&#xff0c;商业领域正经历着一场前所未有的变革。智能互动与自动带货成为了新的潮流&#xff0c;而其中最引人瞩目的便是最新的 AI 无人自动直播玩法&#xff0c;它宛如一股强劲的东风&#xff0c;引领着行业的风向。 AI 无人自动直播是多种先进技…

科技云报到:数字化转型,从不确定性到确定性的关键路径

科技云报到原创。 数字化转型是VUCA时代最大的确定性。 如果说&#xff0c;过去是数字化转型的试验阶段&#xff0c;实施的是开荒动土、选种育苗&#xff0c;那么当前要进行的是精耕细作、植树造林&#xff0c;数字化转型已进入了由个别行业、个别场景的“点状应用”向各行各业…

vue3+vite 前端打包不缓存配置

最近遇到前端部署后浏览器得清缓存才能出现最新页面效果得问题 所以…按以下方式配置完打包就没啥问题了&#xff0c;原理很简单就是加个时间戳 /* eslint-disable no-undef */ import {defineConfig, loadEnv} from vite import path from path import createVitePlugins from…

基于Qt/C++全局键盘和鼠标事件监控工具

项目介绍&#xff1a; 该项目实现了一个基于 Qt 框架的全局键盘和鼠标事件监控工具&#xff0c;主要功能包括&#xff1a; 实时监控全局键盘事件&#xff1a;捕获并显示所有键盘按键&#xff0c;并将按键的虚拟键码转为键名显示。实时监控全局鼠标事件&#xff1a;捕获并显示…

华为数通HCIA系列第5次考试-【2024-46周-周一】

文章目录 1、子网掩码有什么作用&#xff0c;和IP地址是什么关系&#xff0c;利用子网掩码可以获取哪些信息&#xff1f;2、已知一个IP地址是192.168.1.1&#xff0c;子网掩码是255.255.255.0&#xff0c;求其网络地址3、已知某主机的IP地址是192.168.100.200&#xff0c;子网掩…

arkUI:遍历数据数组动态渲染(forEach)

arkUI&#xff1a;遍历数据数组动态渲染&#xff08;forEach&#xff09; 1 主要内容说明2 相关内容2.1 ForEach 的基本语法2.2 简单遍历数组2.2 多维数组遍历2.4 使用唯一键2.5 源码1的相关说明2.5.1 源码1 &#xff08;遍历数据数组动态渲染&#xff09;2.5.2 源码1运行效果 …