在 Rust 中实现 Repository 仓储模式
前言
单位上有个 Rust 项目,orm 选型很长时间都没定下来,故先设计了抽象的仓储层方便写业务逻辑。
设计抽象接口
抽象只读接口,仅读取使用,目前需求仅用查询 id、查询全部和按名称搜索,当然理应设计上分页。
//! read_only_repository.rs
/// 只读仓储,对仅限读取的仓储进行抽象
#[async_trait::async_trait]
pub trait IReadOnlyRepository<T>
where
T: std::marker::Send,
{
/// 根据 id 获取唯一对象
async fn get_by_id(&self, id: &str) -> anyhow::Result<T>;
/// 获取所有对象
async fn get_all(&self) -> anyhow::Result<Vec<T>>;
/// 根据名称搜索
async fn search_by_name(&self, &str) -> anyhow::Result<Vec<T>>;
}
抽象可变接口,目前仅考虑了插入、修改、删除以及事务提交。
//! mutable_repository.rs
/// 可变仓储,对修改数据的仓储进行抽象
#[async_trait::async_trait]
pub trait IMutableRepository<T>
where
T: std::marker::Send,
{
/// 更新数据
async fn update(&self, entity: T) -> anyhow::Result<T>;
/// 插入数据
async fn insert(&self, entity: T) -> anyhow::Result<T>;
/// 删除数据
async fn delete(&self, entity: T) -> anyhow::Result<bool>;
/// 使用 uuid 删除数据,`entity` 是用于指示当前实现类型的泛型模板,防止 Rust 产生方法重载的问题,
/// 但对于大多数数据库可尝试使用以下代码:
/// ``` no_run
/// // 建立一个空的枚举用于指示类型
/// let n: Option<TYPE> = None;
/// self.delete_by_id(entity.id.as_str(), n).await?;
/// ```
async fn delete_by_id(&self, uuid: &str, entity: Option<T>) -> anyhow::Result<bool>;
/// 提交变更,在带有事务的数据库将提交事务,否则该方法应该仅返回 `Ok(true)`
///
async fn save_changed(&self) -> anyhow::Result<bool>;
}
租约仓储,为了支持非关系型数据库用的,或许会用到租约(生存时间)。
//! lease_repository.rs
/// 租约仓储,对带有租约的仓储进行抽象
#[async_trait::async_trait]
pub trait ILeaseRepository<T>
where
T: std::marker::Send,
{
/// 更新数据并更新租约
async fn update_with_lease(&self, key: &str, entity: T, ttl: i64) -> anyhow::Result<T>;
/// 插入数据并设定租约
async fn insert_with_lease(&self, key: &str, entity: T, ttl: i64) -> anyhow::Result<T>;
/// 延长特定数据的租约
async fn keep_alive(&self, key: &str) -> anyhow::Result<bool>;
}
最终整合的接口。
//! mod.rs
/// 对使用数据库仓储的抽象,带有可读仓储和可写仓储
#[async_trait::async_trait]
pub trait IDBRepository<T>: IReadOnlyRepository<T> + IMutableRepository<T>
where
T: std::marker::Send,
{
}
/// 对使用带有租约的数据库进行抽象,带有租约仓储、可读仓储和可写仓储
#[async_trait::async_trait]
pub trait ILeaseDBRepository<T>: IDBRepository<T> + ILeaseRepository<T>
where
T: std::marker::Send,
{
}
简单实现
泛型具体用起来有一定的生命周期的问题,解决问题的方法也并不难,加控制生命周期的标记。但我目前的实现方案为使用 marco 自动为每个实体类型生成代码。在这里我个人本地暂且先用了 etcd 数据库作为基础实现。
可变仓储的实现:
/// 针对 Etcd 数据库实现只读仓储 `repository::IMutableRepository`
///
/// struct 要求带有字段 `client: std::sync::Arc<etcd_client::Client>`
#[macro_export]
macro_rules! impl_etcd_mutable_repository {
($base_struct: ty, $domain: ty) => {
#[async_trait::async_trait]
impl IMutableRepository<$domain> for $base_struct {
async fn update(&self, entity: $domain) -> anyhow::Result<$domain> {
let mut kv_client = self.client.kv_client();
let key = format!("test_{}_{}", stringify!($domain), entity.id);
kv_client
.put(
key,
Into::<Vec<u8>>::into(serde_json::to_vec(&entity).unwrap()),
None,
)
.await?;
Ok(entity)
}
async fn insert(&self, entity: $domain) -> anyhow::Result<$domain> {
self.update(entity).await
}
async fn delete(&self, entity: $domain) -> anyhow::Result<bool> {
let n: Option<$domain> = None;
self.delete_by_id(entity.id.as_str(), n).await
}
async fn delete_by_id(
&self,
uuid: &str,
entity: Option<$domain>,
) -> anyhow::Result<bool> {
let mut kv_client = self.client.kv_client();
let key = format!("test_{}_{}", stringify!($domain), uuid);
match kv_client.delete(key, None).await {
Ok(x) => Ok(true),
Err(e) => anyhow::bail!(e),
}
}
async fn save_changed(&self) -> anyhow::Result<bool> {
Ok(true)
}
}
};
}
具体应用:
use crate::repository::*;
pub struct EtcdRepository {
client: std::sync::Arc<etcd_client::Client>,
}
impl EtcdRepository {
pub fn new(client: std::sync::Arc<etcd_client::Client>) -> Self {
Self { client }
}
}
impl_etcd_mutable_repository!(
EtcdRepository,
crate::models::UserInfo
);
调用
use crate::models::*;
use crate::repository::IMutableDBRepository;
pub struct UserInfoService {
user_info_repository: std::sync::Arc<dyn IMutableRepository<UserInfo> + Send + Sync>,
}
impl HeartbeatService {
pub fn new(
user_info_repository: std::sync::Arc<dyn IMutableRepository<UserInfo> + Send + Sync>,
) -> Self {
return Self { user_info_repository };
}
}
#[async_trait::async_trait]
pub trait IPluginManagementService {
async fn list_user_infos(&self) -> Result<Vec<UserInfo>>;
}
#[async_trait::async_trait]
impl IPluginManagementService for PluginManagementService {
async fn list_user_infos(&self) -> Result<Vec<UserInfo>> {
self.user_info_repository.get_all().await
}
}
参考
在 Rust 中实现 Repository 仓储模式的更多相关文章
- 从Entity Framework的实现方式来看DDD中的repository仓储模式运用
一:最普通的数据库操作 static void Main(string[] args) { using (SchoolDBEntities db = new SchoolDBEntities()) { ...
- 6.在MVC中使用泛型仓储模式和依赖注入实现增删查改
原文链接:http://www.c-sharpcorner.com/UploadFile/3d39b4/crud-operations-using-the-generic-repository-pat ...
- 5.在MVC中使用泛型仓储模式和工作单元来进行增删查改
原文链接:http://www.c-sharpcorner.com/UploadFile/3d39b4/crud-operations-using-the-generic-repository-pat ...
- MVC中使用泛型仓储模式和依赖注入
在ASP.NET MVC中使用泛型仓储模式和依赖注入,实现增删查改 原文链接:http://www.codeproject.com/Articles/838097/CRUD-Operations-Us ...
- 在MVC中使用泛型仓储模式和工作单元来进行增删查改
原文链接:http://www.c-sharpcorner.com/UploadFile/3d39b4/crud-operations-using-the-generic-repository-pat ...
- 在MVC中使用泛型仓储模式和依赖注入实现增删查改
标签: 原文链接:http://www.c-sharpcorner.com/UploadFile/3d39b4/crud-operations-using-the-generic-repository ...
- DDD之:Repository仓储模式
在DDD设计中大家都会使用Repository pattern来获取domain model所需要的数据. 1.什么事Repository? "A Repository mediates b ...
- 4.在MVC中使用仓储模式进行增删查改
原文链接:http://www.c-sharpcorner.com/UploadFile/3d39b4/crud-using-the-repository-pattern-in-mvc/ 系列目录: ...
- MVC5+EF6 入门完整教程十一:细说MVC中仓储模式的应用
摘要: 第一阶段1~10篇已经覆盖了MVC开发必要的基本知识. 第二阶段11-20篇将会侧重于专题的讲解,一篇文章解决一个实际问题. 根据园友的反馈, 本篇文章将会先对呼声最高的仓储模式进行讲解. 文 ...
- MVC5+EF6 入门完整教程11--细说MVC中仓储模式的应用
摘要: 第一阶段1~10篇已经覆盖了MVC开发必要的基本知识. 第二阶段11-20篇将会侧重于专题的讲解,一篇文章解决一个实际问题. 根据园友的反馈, 本篇文章将会先对呼声最高的仓储模式进行讲解. 文 ...
随机推荐
- SQL Sever Josn相互转化
正向转化: SELECT TOP 2 StudentID, Name AS "name", Sex AS "urname" FROM dbo.student F ...
- 堆栈式 CMOS、背照式 CMOS 和传统 CMOS 传感器的区别
光电效应 光电效应的现象是赫兹(频率的单位就是以他命名的)发现的,但是是爱因斯坦正确解释的.简单说,光或某一些电磁波,照射在某些光敏物质会产生电子,这就是光电效应. 这就将光变为了电,光信号的改变会带 ...
- 【调制解调】PM 调相
说明 学习数字信号处理算法时整理的学习笔记.同系列文章目录可见 <DSP 学习之路>目录,代码已上传到 Github - ModulationAndDemodulation.本篇介绍 PM ...
- 我学到的一下vue使用技巧
这两天学到的vue使用技巧 v-if , 当封装组件的时候,用到的props,最外层最好加个v-if,防止出现cannot read property of undefined 这样的错误,如果pro ...
- Axios向后段请求数据GET POST两种方法的不同之处
GET请求 向后端请求时,通过URL向后端传递参数 axios({ url:'http://127.0.0.1:9000/get-user-list/', type:'json', //GET方法携带 ...
- LeetCode 周赛上分之旅 # 36 KMP 字符串匹配殊途同归
️ 本文已收录到 AndroidFamily,技术和职场问题,请关注公众号 [彭旭锐] 和 BaguTree Pro 知识星球提问. 学习数据结构与算法的关键在于掌握问题背后的算法思维框架,你的思考越 ...
- Blazor前后端框架Known-V1.2.10
V1.2.10 Known是基于C#和Blazor开发的前后端分离快速开发框架,开箱即用,跨平台,一处代码,多处运行. Gitee: https://gitee.com/known/Known Git ...
- C++ 核心指南之 C++ 哲学/基本理念(下)
C++ 核心指南(C++ Core Guidelines)是由 Bjarne Stroustrup.Herb Sutter 等顶尖 C+ 专家创建的一份 C++ 指南.规则及最佳实践.旨在帮助大家正确 ...
- mysql 命令安装
1. mysql 下载安装好压缩文件,下面我们进入正题,少废话. 09:39:112023-08-05 先到 mysql 官方网站下载:https://dev.mysql.com/downloa ...
- SDP协议理解
目录 SDP协议 协议格式说明 协议格式 常见属性 协议版本号 v= -- Protocol Version 会话发起者: o= -- Origin 会话名 s= 连接数据:c= 媒体描述:m= 附加 ...