如何使用 ef core 的 code first(fluent api)模式实现自定义类型转换器?

本文主要是介绍如何使用 ef core 的 code first(fluent api)模式实现自定义类型转换器?,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

如何使用 ef core 的 code first 模式实现自定义类型转换器

    • 前言
  • 1. 项目结构
  • 2. 实现步骤
    • 2.1 定义转换器
      • 2.1.1 DateTime 转换器
      • 2.1.2 JsonDocument 转换器
    • 2.2 创建实体类并配置数据结构类型
    • 2.3 定义 Utility 工具类
    • 2.4 配置 DbContext
      • 2.4.1 使用 EF Core 配置 DbContext 的两种实现方式
      • 2.4.2 具体实现 MyDbContext 的两种方式
    • 2.5 使用 DbContext 操作 Sqlite 数据库
    • 2.6 使用工具 dotnet ef 应用迁移
      • 2.6.1 执行 MyDb1Context 迁移
      • 2.6.2 执行 MyDb2Context 迁移
    • 2.7 运行项目
  • 3. 安装 dotnet ef 工具
    • 3.1 安装 .NET SDK
    • 3.2 安装 Entity Framework Core 工具包
    • 3.3 使用 dotnet ef 命令
  • 总结

前言

在使用 Entity Framework Core (EF Core)Code First 模式时,如果你想在 SQLite 数据库中存储 JsonDocument or DateTime 类型的数据,需要确保数据类型的正确映射。

注意:
- `SQLite` 默认没有 `JsonDocument` 类型,而是使用 `json` 或 `TEXT` 类型来存储 `JSON` 值。
- `SQLite` 默认没有一个单独的用于存储日期和/或时间的存储类,但 `SQLite` 能够把日期和时间存储为 `TEXT、REAL` 或 `INTEGER` 值。

为了实现 JsonDocument & DateTime 类型的正确转换,你可以使用自定义 ValueConverter(值转换器)。下面是一个详细的示例,展示如何实现 JsonDocument & DateTimeSQLite TEXT 类型的转换。

关于 sqlite 更多数据类型,请查看:

  • https://www.runoob.com/sqlite/sqlite-data-types.html

1. 项目结构

  • 创建控制台项目,命名为 ConsoleApp1,项目整体代码结构如下:

ConsoleApp1

  • 项目中文件目录说明:
1. `Database` 用于存放 `Sqlite` 的数据库文件(`.db`;
2. `Migrations` 用于存放 `dotnet ef migrations` 应用迁移生产的类文件;
  • 使用到的 NuGet 包信息如下:
<Project Sdk="Microsoft.NET.Sdk"><PropertyGroup><OutputType>Exe</OutputType><TargetFramework>net8.0</TargetFramework><ImplicitUsings>enable</ImplicitUsings><Nullable>enable</Nullable></PropertyGroup><ItemGroup><PackageReference Include="Microsoft.EntityFrameworkCore" Version="8.0.8" /><PackageReference Include="Microsoft.EntityFrameworkCore.Design" Version="8.0.8"><PrivateAssets>all</PrivateAssets><IncludeAssets>runtime; build; native; contentfiles; analyzers; buildtransitive</IncludeAssets></PackageReference><PackageReference Include="Microsoft.EntityFrameworkCore.Sqlite" Version="8.0.8" /><PackageReference Include="Microsoft.Extensions.DependencyInjection" Version="8.0.0" /></ItemGroup><ItemGroup><Folder Include="Database\" /><Folder Include="Migrations\" /></ItemGroup></Project>

2. 实现步骤

2.1 定义转换器

分别实现如下转换器:

  • DateTime 转换器,DateTimeToStringConverter
  • JsonDocument 转换器,JsonDocumentToStringConverter

2.1.1 DateTime 转换器

首先,定义一个值转换器,将 DateTime 转换为 string(对应 SQLite 中的 TEXT 类型)。

  • 代码示例
using Microsoft.EntityFrameworkCore.Storage.ValueConversion;namespace ConsoleApp1.TypeConverters;/// <summary>
/// DateTime 转换器
/// </summary>
internal class DateTimeToStringConverter : ValueConverter<DateTime, string>
{/// <summary>/// 日期格式/// </summary>private static readonly string _timeFormat = "yyyy-MM-dd HH:mm:ss.SSS";public DateTimeToStringConverter(ConverterMappingHints? mappingHints = null): base(v => v.ToString(_timeFormat),v => DateTime.ParseExact(v, _timeFormat, null),mappingHints){ }
}

2.1.2 JsonDocument 转换器

接下来,定义一个值转换器,将 JsonDocument 转换为 string(对应 SQLite 中的 TEXT 类型)。

  • 代码示例
using System.Text.Json;
using Microsoft.EntityFrameworkCore.Storage.ValueConversion;namespace ConsoleApp1.TypeConverters;/// <summary>
/// JsonDocument 转换器
/// </summary>
internal class JsonDocumentToStringConverter : ValueConverter<JsonDocument, string?>
{public JsonDocumentToStringConverter() : base(jsonDocument => jsonDocument.RootElement.GetRawText(),jsonString => JsonStringToJsonDocument(jsonString, GetJsonDocumentOptions())){ }#region 私有方法/// <summary>/// json 字符串转换 JsonDocument 对象/// </summary>/// <param name="jsonString"></param>/// <param name="options"></param>/// <returns></returns>private static JsonDocument JsonStringToJsonDocument(string? jsonString, JsonDocumentOptions? options){if (jsonString == null)return JsonDocument.Parse("{}");return JsonDocument.Parse(jsonString);}/// <summary>/// JsonDocument 配置信息/// </summary>/// <returns></returns>public static JsonDocumentOptions GetJsonDocumentOptions(){var options = new JsonDocumentOptions(){MaxDepth = 128, // 设置最大深度CommentHandling = JsonCommentHandling.Skip, // 允许跳过注释AllowTrailingCommas = true // 允许尾随逗号};return options;}#endregion
}

2.2 创建实体类并配置数据结构类型

定义实体类型 MyEntityMyEntityTypeConfiguration 实体类型配置,代码示例如下:

using Microsoft.EntityFrameworkCore.Metadata.Builders;
using Microsoft.EntityFrameworkCore;
using System.Text.Json;
using System.ComponentModel.DataAnnotations.Schema;
using ConsoleApp1.TypeConverters;namespace ConsoleApp1.Entitys;/// <summary>
/// 实体对象
/// </summary>
internal class MyEntity
{public string Id { get; set; } = Guid.NewGuid().ToString();public int RandomNo { get; set; }[Column(TypeName = "json")]public JsonDocument Data { get; set; } = JsonDocument.Parse("{ }");[Column(TypeName = "text")]public DateTime CreatedTime { get; set; }
}/// <summary>
/// 实体类型定义,此处使用 code first fluent api 方式
/// </summary>
internal class MyEntityTypeConfiguration : IEntityTypeConfiguration<MyEntity>
{public void Configure(EntityTypeBuilder<MyEntity> entity){entity.ToTable(nameof(MyEntity)); // 指定表名为 "Artifact"entity.HasKey(a => a.Id); // 指定主键:PKentity.Property(p => p.Id).HasColumnName("Id").HasColumnType("TEXT").HasMaxLength(36).IsRequired();entity.Property(p => p.RandomNo).HasColumnName("RandomNo").HasColumnType("INTEGER").IsRequired();entity.Property(a => a.Data).HasConversion(new JsonDocumentToStringConverter()).HasColumnName("Data").HasColumnType("json").IsRequired();entity.Property(a => a.CreatedTime).HasConversion(new DateTimeToStringConverter()).HasColumnName("CreatedTime").HasColumnType("TEXT").HasMaxLength(16).IsRequired();}
}

2.3 定义 Utility 工具类

定义文件目录助手 DirectoryHelper,用于指定 sqlite 数据库文件存储位置,同时构建 sqlite 数据库连接字符串。示例代码如下:

using Microsoft.Data.Sqlite;namespace ConsoleApp1.Utility;/// <summary>
/// 目录助手
/// </summary>
internal class DirectoryHelper
{/// <summary>/// 获取当前目录/// </summary>public string CurrentDirectory => Directory.GetCurrentDirectory();/// <summary>/// 设置根目录/// </summary>/// <param name="directory">跟目录名称</param>/// <returns></returns>public string BuildRootDirectory(string directory) => Path.Combine(CurrentDirectory, directory);#region 构建 sqlite 连接字符串public string GetSqliteConnectionString(string directory = "Database", string password = "123456"){// 设置根目录string rootDirectory = BuildRootDirectory(directory);string sqliteFilePath = Path.Combine(rootDirectory, "test.db");//string connectionString = @$"Data Source={ sqliteFilePath };Mode=Memory;Cache=Shared"; //可共享内存数据库return BuildSqliteConnectionString(sqliteFilePath, password);}public string BuildSqliteConnectionString(string filePath, string password){var builder = new SqliteConnectionStringBuilder(){DataSource = filePath,Cache = SqliteCacheMode.Shared,Mode = SqliteOpenMode.ReadWriteCreate,// Password = password, // 此处对应的 nuget 包暂不支持密码设置Pooling = true,DefaultTimeout = 30,};return builder.ToString();} #endregion
}

2.4 配置 DbContext

2.4.1 使用 EF Core 配置 DbContext 的两种实现方式

首先我们来看下 DbContext 的两种配置方式:

namespace Microsoft.EntityFrameworkCore;protected DbContext();
public DbContext([NotNullAttribute] DbContextOptions options);

还有 DbContext 的两个重写方法:

protected internal virtual void OnConfiguring(DbContextOptionsBuilder optionsBuilder);
protected internal virtual void OnModelCreating(ModelBuilder modelBuilder);
  • 4.1.1 使用无参构造函数,必须重写 OnConfiguring() 函数

代码示例:

public class BloggingContext : DbContext
{public DbSet<Blog> Blogs { get; set; }protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder) => optionsBuilder.UseSqlite("Data Source=blog.db");
}

这样使用的话,应用程序可以简单地实例化此类上下文,而无需将任何内容传递给构造函数:

using (var context = new BloggingContext())
{// do stuff
}
  • 4.1.2 使用有参构造函数,无需重写 OnConfiguring() 函数

代码示例:

public class BloggingContext : DbContext
{public BloggingContext(DbContextOptions<BloggingContext> options) : base(options){ }public DbSet<Blog> Blogs { get; set; }
}

这样使用的话,应用程序现在可以在实例化上下文时传递 DbContextOptions,如下所示:

var optionsBuilder = new DbContextOptionsBuilder<BloggingContext>();
optionsBuilder.UseSqlite("Data Source=blog.db");using (var context = new BloggingContext(optionsBuilder.Options))
{// do stuff
}

控制台使用有参构造函数方式的 DbContext 数据库上下文,使用 dotnet ef migrations 命令时,会出现如下异常信息:

Unable to create a 'DbContext' of type 'MyDbContext'. The exception 'Unable to resolve service for type 'Microsoft.EntityFrameworkCore.DbContextOptions`1[ConsoleApp1.DbContexts.MyDbContext]' while attempting to activate 'ConsoleApp1.DbContexts.MyDbContext'.' was thrown while attempting to create an instance. For the different patterns supported at design time, see https://go.microsoft.com/fwlink/?linkid=851728

大概意思就是 MyDbContext 主构函数里面的 DbContextOptions<MyDbContext> 无法识别依赖注入问题。解决方案如下:

“可以通过实现接口来告诉工具如何创建 DbContext,通过创建类实现接口IDesignTimeDbContextFactory<TContext>,如果实现此接口的类在与派生的项目相同的项目中或应用程序的启动项目中找到,则这些工具将绕过创建 DbContext 的其他方法,并改用设计时工厂。”

  • 实现接口 IDesignTimeDbContextFactory<TContext> 的代码示例:
public class BloggingContextFactory : IDesignTimeDbContextFactory<BloggingContext>
{public BloggingContext CreateDbContext(string[] args){var optionsBuilder = new DbContextOptionsBuilder<BloggingContext>();optionsBuilder.UseSqlite("Data Source=blog.db");return new BloggingContext(optionsBuilder.Options);}
}

2.4.2 具体实现 MyDbContext 的两种方式

上面我们解释了实现 DbContext 的两种方式,接着前面提到的 Demo 示例实现,代码示例如下:

注意区分: MyDb1ContextMyDb2Context 的实现。

  • 4.2.1 无参构造函数实现 DbContext,命名为 MyDb1Context
using ConsoleApp1.Entitys;
using ConsoleApp1.Utility;
using Microsoft.EntityFrameworkCore;namespace ConsoleApp1.DbContexts;/// <summary>
/// 数据库上下文,无参构造函数实现
/// </summary>
/// <param name="options"></param>
internal class MyDb1Context : DbContext
{public DbSet<MyEntity> MyEntitys { get; set; }protected override void OnModelCreating(ModelBuilder modelBuilder){base.OnModelCreating(modelBuilder);modelBuilder.ApplyConfiguration(new MyEntityTypeConfiguration());/** 此处代码等效同上 ApplyConfigurationmodelBuilder.Entity<MyEntity>().Property(e => e.Data).HasConversion(new JsonDocumentToStringConverter());*/}/// <summary>/// 注意:无参构造函数,必须重写 OnConfiguring() 函数/// </summary>/// <param name="optionsBuilder"></param>protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder){base.OnConfiguring(optionsBuilder);var directoryHelper = new DirectoryHelper();string connectionString = directoryHelper.GetSqliteConnectionString(); optionsBuilder.UseSqlite(connectionString);}
}
  • 4.2.2 有参构造函数实现 DbContext,命名为 MyDb2Context
using ConsoleApp1.Entitys;
using Microsoft.EntityFrameworkCore;namespace ConsoleApp1.DbContexts;/// <summary>
/// 数据库上下文,有参构造函数实现
/// </summary>
/// <param name="options"></param>
internal class MyDb2Context(DbContextOptions<MyDb2Context> options) : DbContext(options)
{public DbSet<MyEntity> MyEntitys { get; set; }protected override void OnModelCreating(ModelBuilder modelBuilder){modelBuilder.ApplyConfiguration(new MyEntityTypeConfiguration());}
}

MyDb2ContextFactory 实现 IDesignTimeDbContextFactory<MyDb2Context> 的代码示例:

using Microsoft.EntityFrameworkCore.Design;
using Microsoft.EntityFrameworkCore;
using ConsoleApp1.Utility;namespace ConsoleApp1.DbContexts;/// <summary>
/// MyDb2Context 工厂
/// </summary>
internal class MyDb2ContextFactory : IDesignTimeDbContextFactory<MyDb2Context>
{public MyDb2Context CreateDbContext(string[] args){// 获取 sqlite 连接字符串var directoryHelper = new DirectoryHelper();string connectionString = directoryHelper.GetSqliteConnectionString();// 构建 DbContextOptions 对象var optionsBuilder = new DbContextOptionsBuilder<MyDb2Context>();optionsBuilder.UseSqlite(connectionString);// 有参构造函数使用 DbContextOptions 对象return new MyDb2Context(optionsBuilder.Options);}
}

2.5 使用 DbContext 操作 Sqlite 数据库

上面代码已经准备就绪,接着我们来使用实现 DbContext 的自定义上下文来操作 Sqlite 数据库。

Program.cs 文件的 Main 函数代码示例如下:

using System.Text.Json;
using Microsoft.Extensions.DependencyInjection;
using Microsoft.EntityFrameworkCore;
using ConsoleApp1.DbContexts;
using ConsoleApp1.Entitys;
using ConsoleApp1.Utility;
using ConsoleApp1.TypeConverters;namespace ConsoleApp1;internal class Program
{static void Main(string[] args){Console.WriteLine("Hello, Microsoft.EntityFrameworkCore.Sqlite!");{// 创建实体数据var entity = new MyEntity{RandomNo = Random.Shared.Next(0, 100),Data = JsonDocument.Parse("{\"name\":\"John\", \"age\":30}", JsonDocumentToStringConverter.GetJsonDocumentOptions()),CreatedTime = DateTime.Now};// 创建服务提供者var serviceProvider = ConfigureServices();// 获取服务实例//using var context = serviceProvider.GetService<MyDb1Context>();using var context = serviceProvider.GetService<MyDb2Context>();// 使用服务// 新增数据context?.MyEntitys.Add(entity);context?.SaveChanges();// 读取数据var savedEntity = context?.MyEntitys.FirstOrDefault(e => e.Id == entity.Id);var name = savedEntity?.Data.RootElement.GetProperty("name").GetString();Console.WriteLine(name); // 输出 "John"}}/// <summary>/// 注册服务/// </summary>/// <returns></returns>private static ServiceProvider ConfigureServices(){// 创建服务容器var serviceCollection = new ServiceCollection();#region 添加 EF Core DbContextserviceCollection.AddDbContext<MyDb1Context>();var directoryHelper = new DirectoryHelper();string connectionString = directoryHelper.GetSqliteConnectionString();serviceCollection.AddDbContextFactory<MyDb2Context>(options => options.UseSqlite(connectionString));#endregion// 构建 ServiceProvider 服务提供者return serviceCollection.BuildServiceProvider();}
}

2.6 使用工具 dotnet ef 应用迁移

使用工具 dotnet ef 创建并应用迁移以生成数据库表结构。

2.6.1 执行 MyDb1Context 迁移

执行 MyDb1Context 迁移命令:

# 创建迁移
dotnet ef migrations add test_v1.0.0 -c MyDb1Context
# 应用迁移
dotnet ef database update -c MyDb1Context

输出信息:

PS D:\Jeff\Project\Demo\ConsoleApp1> dotnet ef migrations add test_v1.0.0 -c MyDb1Context
Build started...
Build succeeded.
Done. To undo this action, use 'ef migrations remove'
PS D:\Jeff\Project\Demo\ConsoleApp1> dotnet ef database update -c MyDb1Context
Build started...
Build succeeded.
Applying migration '20240904085736_test_v1.0.0'.
Done.

2.6.2 执行 MyDb2Context 迁移

执行 MyDb2Context 迁移命令:

# 创建迁移
dotnet ef migrations add test_v1.0.1 -c MyDb2Context
# 应用迁移
dotnet ef database update -c MyDb2Context

输出信息:

PS D:\Jeff\Project\Demo\ConsoleApp1> dotnet ef migrations add test_v1.0.1 -c MyDb2Context
Build started...
Build succeeded.
Done. To undo this action, use 'ef migrations remove'
PS D:\Jeff\Project\Demo\ConsoleApp1> dotnet ef database update -c MyDb2Context
Build started...
Build succeeded.
Applying migration '20240904090346_test_v1.0.1'.
Done.

查看迁移生成 sqlite 文件 test.db 中数据库表结构是否和实体类型配置一致,从下图中可以看到符合预期。

SQLiteStudio

通过实验证明,上面两种方式均可实现应用迁移。

2.7 运行项目

启动项目运行,均可执行 sqlite 数据库操作方法。

dotnet-run

注意:使用 dotnet ef 命令生成的 sqlite 数据库文件,设置属性复制内容;

<ItemGroup><None Remove="Database\test.db" />
</ItemGroup><ItemGroup><Content Include="Database\test.db"><CopyToOutputDirectory>Always</CopyToOutputDirectory></Content>
</ItemGroup>

3. 安装 dotnet ef 工具

安装 dotnet efEntity Framework Core 的命令行工具)非常简单。以下是如何在不同的环境中安装和使用 dotnet ef 的详细步骤。

3.1 安装 .NET SDK

首先,确保你已经安装了 .NET SDK。如果没有安装,请访问 官方下载页面 下载并安装最新版本的 .NET SDK。

3.2 安装 Entity Framework Core 工具包

接下来,安装 Entity Framework Core 工具包。你可以通过以下两种方式之一进行安装:

  • 方式一:全局安装
  1. 打开命令提示符或终端。
  2. 运行以下命令来全局安装 Entity Framework Core 工具包:
dotnet tool install --global dotnet-ef
  1. 验证安装是否成功:
dotnet ef --version

如果安装成功,你会看到 Entity Framework Core 的版本号。

  • 方式二:本地安装

如果你想在特定项目中安装 Entity Framework Core 工具包,可以在项目目录中执行以下命令:

  1. 打开命令提示符或终端。
  2. 导航到你的项目目录。
  3. 运行以下命令来安装 Entity Framework Core 工具包:
dotnet tool install --tool-path . dotnet-ef
  1. 验证安装是否成功:
./dotnet-ef --version

如果安装成功,你会看到 Entity Framework Core 的版本号。

3.3 使用 dotnet ef 命令

现在你可以在项目中使用 dotnet ef 命令了。

PS C:\Windows\system32> dotnet ef migrations -hUsage: dotnet ef migrations [options] [command]Options:-h|--help        Show help information-v|--verbose     Show verbose output.--no-color       Don't colorize output.--prefix-output  Prefix output with level.Commands:add                        Adds a new migration.bundle                     Creates an executable to update the database.has-pending-model-changes  Checks if any changes have been made to the model since the last migration.list                       Lists available migrations.remove                     Removes the last migration.script                     Generates a SQL script from migrations.Use "migrations [command] --help" for more information about a command.

以下是一些常用的命令示例:

# 创建迁移
dotnet ef migrations add InitialCreate
# 应用迁移,这将应用所有未应用的迁移。
dotnet ef database update
# 查看迁移状态,这将列出所有已创建的迁移及其状态。
dotnet ef migrations list
# 删除迁移,这将删除最后一个迁移文件。
dotnet ef migrations remove
# 清空迁移历史记录,这将删除数据库并清空迁移历史记录。
dotnet ef database drop
dotnet ef migrations remove

总结

我们介绍了如何在 EF CoreCode First 模式下使用自定义类型转换器实现 JsonDocumentDateTime 类型到 SQLite 数据库的正确映射。通过自定义 ValueConverter,实现了数据类型的转换,并展示了完整的项目结构和代码实现,包括实体类定义、DbContext 配置及数据库应用迁移(Migrations)操作。

这篇关于如何使用 ef core 的 code first(fluent api)模式实现自定义类型转换器?的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



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

相关文章

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

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

使用SecondaryNameNode恢复NameNode的数据

1)需求: NameNode进程挂了并且存储的数据也丢失了,如何恢复NameNode 此种方式恢复的数据可能存在小部分数据的丢失。 2)故障模拟 (1)kill -9 NameNode进程 [lytfly@hadoop102 current]$ kill -9 19886 (2)删除NameNode存储的数据(/opt/module/hadoop-3.1.4/data/tmp/dfs/na

Hadoop数据压缩使用介绍

一、压缩原则 (1)运算密集型的Job,少用压缩 (2)IO密集型的Job,多用压缩 二、压缩算法比较 三、压缩位置选择 四、压缩参数配置 1)为了支持多种压缩/解压缩算法,Hadoop引入了编码/解码器 2)要在Hadoop中启用压缩,可以配置如下参数

【前端学习】AntV G6-08 深入图形与图形分组、自定义节点、节点动画(下)

【课程链接】 AntV G6:深入图形与图形分组、自定义节点、节点动画(下)_哔哩哔哩_bilibili 本章十吾老师讲解了一个复杂的自定义节点中,应该怎样去计算和绘制图形,如何给一个图形制作不间断的动画,以及在鼠标事件之后产生动画。(有点难,需要好好理解) <!DOCTYPE html><html><head><meta charset="UTF-8"><title>06

Makefile简明使用教程

文章目录 规则makefile文件的基本语法:加在命令前的特殊符号:.PHONY伪目标: Makefilev1 直观写法v2 加上中间过程v3 伪目标v4 变量 make 选项-f-n-C Make 是一种流行的构建工具,常用于将源代码转换成可执行文件或者其他形式的输出文件(如库文件、文档等)。Make 可以自动化地执行编译、链接等一系列操作。 规则 makefile文件

hdu1043(八数码问题,广搜 + hash(实现状态压缩) )

利用康拓展开将一个排列映射成一个自然数,然后就变成了普通的广搜题。 #include<iostream>#include<algorithm>#include<string>#include<stack>#include<queue>#include<map>#include<stdio.h>#include<stdlib.h>#include<ctype.h>#inclu

使用opencv优化图片(画面变清晰)

文章目录 需求影响照片清晰度的因素 实现降噪测试代码 锐化空间锐化Unsharp Masking频率域锐化对比测试 对比度增强常用算法对比测试 需求 对图像进行优化,使其看起来更清晰,同时保持尺寸不变,通常涉及到图像处理技术如锐化、降噪、对比度增强等 影响照片清晰度的因素 影响照片清晰度的因素有很多,主要可以从以下几个方面来分析 1. 拍摄设备 相机传感器:相机传

【C++】_list常用方法解析及模拟实现

相信自己的力量,只要对自己始终保持信心,尽自己最大努力去完成任何事,就算事情最终结果是失败了,努力了也不留遗憾。💓💓💓 目录   ✨说在前面 🍋知识点一:什么是list? •🌰1.list的定义 •🌰2.list的基本特性 •🌰3.常用接口介绍 🍋知识点二:list常用接口 •🌰1.默认成员函数 🔥构造函数(⭐) 🔥析构函数 •🌰2.list对象

【Prometheus】PromQL向量匹配实现不同标签的向量数据进行运算

✨✨ 欢迎大家来到景天科技苑✨✨ 🎈🎈 养成好习惯,先赞后看哦~🎈🎈 🏆 作者简介:景天科技苑 🏆《头衔》:大厂架构师,华为云开发者社区专家博主,阿里云开发者社区专家博主,CSDN全栈领域优质创作者,掘金优秀博主,51CTO博客专家等。 🏆《博客》:Python全栈,前后端开发,小程序开发,人工智能,js逆向,App逆向,网络系统安全,数据分析,Django,fastapi

让树莓派智能语音助手实现定时提醒功能

最初的时候是想直接在rasa 的chatbot上实现,因为rasa本身是带有remindschedule模块的。不过经过一番折腾后,忽然发现,chatbot上实现的定时,语音助手不一定会有响应。因为,我目前语音助手的代码设置了长时间无应答会结束对话,这样一来,chatbot定时提醒的触发就不会被语音助手获悉。那怎么让语音助手也具有定时提醒功能呢? 我最后选择的方法是用threading.Time