翼度科技»论坛 编程开发 .net 查看内容

SqlSugar基础用法

5

主题

5

帖子

15

积分

新手上路

Rank: 1

积分
15
SQLSugar是什么

**1. 轻量级ORM框架,专为.NET CORE开发人员设计,它提供了简单、高效的方式来处理数据库操作,使开发人员能够更轻松地与数据库进行交互
2. 简化数据库操作和数据访问,允许开发人员在C#代码中直接操作数据库,而不需要编写复杂的SQL语句
3. 支持多种数据库,包括但不限于MYSQL、SQLSERVER、SQLITE、ORACLE等**
使用SQLSugar的优点与缺点

优点:

1. 高性能:相比EF等ORM框架,SQLSUGAR在性能上表现出色。在大数据的写入、更新和查询统计方面,SQLSUGAR的性能是EF的数倍。此外,它在批量操作和一对多查询上也进行了不错的SQL优化。
2. 高扩展性:SQLSUGAR支持自定义拉姆达函数解析、扩展数据类型、自定义实体特性,以及外部缓存等功能,这些都使得其具有较高的可扩展性。
3. 稳定性:虽然不是官方的ORM框架,但SQLSUGAR在稳定性上也有着数年用户积累。如果遇到问题,可以在GITHUB上提出,开发者会根据紧急度定期解决。
4. 功能全面:虽然SQLSUGAR体积小巧,但其功能并不逊色于其他大型ORM框架,如EF。
5. 生态丰富与多库兼容:SQLSUGAR支持多种数据库,为开发者提供了灵活的选择。同时,它还提供了详细的文档、教程以及专业技术支持,为开发者提供了全方位的服务。
6. 易用性:SQLSUGAR的使用非常简单,它提供了各种默认值作为最佳配置,开发者只需关注自己的业务逻辑即可。这种易用性大大降低了学习成本,提高了开发效率。
缺点

没啥大缺点
SQLSugar基础使用

安装SQLSugarCore包


创建上下文类


配置链接字符串--这块有点坑、以下这种格式可能会爆错、SLL证书错误


以下是我的链接字符串

Data Source=.;Initial Catalog=SQLSugarDemo;Integrated Security=True;Trust Server Certificate=True


注册SQLSugar--我封装了Ioc



在控制器定义方法进行迁移数据库




当然你也可以用命令进行迁移

Sugar迁移命令:
dotnet ef migrations add 生成文件夹名称 --project SqlSugarTests.WebAPI.csproj
dotnet ef database update
迁移命令有点麻烦还不一定能迁移成功,可以用ef或者方法进行迁移
以下是基础用法(增删改查)

我大概是给整复杂了,我封装了一下、我再研究研究给整简单点
定义泛型接口


接口与实现


``
点击查看代码
  1. public interface IRepository<T> where T : class,new()
  2. {
  3.      // 插入(增)  
  4.      Task<int> Insert(T entity);
  5.      // 根据ID查询(查)  
  6.      Task<T> GetById(int id);
  7.      //删除
  8.      Task<int> DeleteById(int id);
  9.      // 更新(改)  
  10.      Task<bool> Update(T entity, Expression<Func<T, bool>> whereCondition);
  11.      // 删除(删)  
  12.      Task<bool> Delete(Expression<Func<T, bool>> whereCondition);
  13.      // 查询(查)  
  14.      Task<T> Get(Expression<Func<T, bool>> whereCondition);
  15.      // 查询列表  
  16.      Task<List<T>> GetAll(Expression<Func<T, bool>> whereCondition = null);
  17.      
  18. }
复制代码

``
点击查看代码
  1. public class Repository<T> : IRepository<T> where T : class, new()
  2. {
  3.     private readonly ISqlSugarClient _db;
  4.     public Repository(ISqlSugarClient db)
  5.     {
  6.         _db = db;
  7.     }
  8.     // 插入(增)  
  9.     public async Task<int> Insert(T entity)
  10.     {
  11.         try
  12.         {
  13.             return await _db.Insertable(entity).ExecuteCommandAsync();
  14.         }
  15.         catch (Exception ex)
  16.         {
  17.             // 处理异常或记录日志  
  18.             throw;
  19.         }
  20.     }
  21.     // 更新(改)  
  22.     public async Task<bool> Update(T entity, Expression<Func<T, bool>> whereCondition)
  23.     {
  24.         try
  25.         {
  26.             var updateable = _db.Updateable(entity).Where(whereCondition);
  27.             return await updateable.ExecuteCommandAsync() > 0;
  28.         }
  29.         catch (Exception ex)
  30.         {
  31.             // 处理异常或记录日志  
  32.             throw;
  33.         }
  34.     }
  35.     // 删除(删)  
  36.     public async Task<bool> Delete(Expression<Func<T, bool>> whereCondition)
  37.     {
  38.         try
  39.         {
  40.             return await _db.Deleteable<T>().Where(whereCondition).ExecuteCommandAsync() > 0;
  41.         }
  42.         catch (Exception ex)
  43.         {
  44.             // 处理异常或记录日志  
  45.             throw;
  46.         }
  47.     }
  48.     // 查询(查)  
  49.     public async Task<T> Get(Expression<Func<T, bool>> whereCondition)
  50.     {
  51.         try
  52.         {
  53.             return await _db.Queryable<T>().Where(whereCondition).SingleAsync();
  54.         }
  55.         catch (Exception ex)
  56.         {
  57.             // 处理异常或记录日志  
  58.             return null;
  59.         }
  60.     }
  61.     // 查询列表  
  62.     public async Task<List<T>> GetAll(Expression<Func<T, bool>> whereCondition = null)
  63.     {
  64.         try
  65.         {
  66.             var query = _db.Queryable<T>();
  67.             if (whereCondition != null)
  68.             {
  69.                 query = query.Where(whereCondition);
  70.             }
  71.             return await query.ToListAsync();
  72.         }
  73.         catch (Exception ex)
  74.         {
  75.             // 处理异常或记录日志  
  76.             return null;
  77.         }
  78.     }
  79.     //查询单个
  80.     public async Task<T> GetById(int id)
  81.     {
  82.         // 使用SQLSugar的Queryable API来获取单个实体  
  83.         var result = _db.Queryable<T>().InSingle(id);
  84.         // 注意:这里result已经是DepartmentModel的实例或null(如果没有找到)  
  85.         // 因为InSingle是同步的,所以不需要await  
  86.         return result;
  87.     }
  88.     /// <summary>
  89.     /// 删除
  90.     /// </summary>
  91.     /// <param name="id"></param>
  92.     /// <returns></returns>
  93.     public async Task<int> DeleteById(int id)
  94.     {
  95.         var result =_db.Deleteable<T>().In(id).ExecuteCommand();
  96.         return result;
  97.     }
  98.     #region 其他扩展
  99.     public async Task<bool> Delete<T1>(int id)
  100.     {
  101.         throw new NotImplementedException();
  102.     }
  103.     public async Task<List<T1>> GetAll<T1>()
  104.     {
  105.         throw new NotImplementedException();
  106.     }
  107.     public T1 GetById<T1>(int id)
  108.     {
  109.         throw new NotImplementedException();
  110.     }
  111.     public int Insert<T1>(T1 entity)
  112.     {
  113.         throw new NotImplementedException();
  114.     }
  115.     public bool Update<T1>(T1 entity, int? id = null)
  116.     {
  117.         throw new NotImplementedException();
  118.     }
  119.     #endregion
  120. }
复制代码
然后我封装了IocServer

这段代码主要做了两件事:
将ISqlSugarClient注册为Scoped服务到依赖注入容器中,并配置了数据库连接和AOP日志记录。

将SqlSugarContext(可能是一个封装了ISqlSugarClient的上下文类)也注册为Scoped服务,并确保它能够从DI容器中获取到ISqlSugarClient的实例。

``
点击查看代码
  1. public static void AddRepositoryServer(this WebApplicationBuilder builder)
  2. {
  3.      // 直接注册 ISqlSugarClient 到 DI 容器  
  4.      builder.Services.AddScoped<ISqlSugarClient>(sp => new SqlSugarClient(new ConnectionConfig()
  5.      {
  6.          ConnectionString = builder.Configuration.GetConnectionString("SQLSugar"), //数据库连接串
  7.          DbType = DbType.SqlServer,      //数据库类型
  8.          IsAutoCloseConnection = true, //自动释放
  9.          MoreSettings = new ConnMoreSettings()
  10.          {
  11.              SqlServerCodeFirstNvarchar = true,//建表字符串默认Nvarchar
  12.          }
  13.      }, db =>
  14.      {
  15.          db.Aop.OnLogExecuting = (sql, pars) =>
  16.          {
  17.              Console.WriteLine(sql);//生成执行Sql语句
  18.          };
  19.      }
  20.      ));
  21.      builder.Services.AddScoped<SqlSugarContext>(sp => new SqlSugarContext(sp.GetRequiredService<ISqlSugarClient>()));
  22. }
复制代码
在Program进行注册


控制器里使用


``
点击查看代码
  1. public readonly SqlSugarContext db;
  2. private readonly IRepository<DepartmentModel> _repository;
  3. public SQLSugarController(SqlSugarContext context, IRepository<DepartmentModel> repository)
  4. {
  5.     this.db = context;
  6.     this._repository = repository;
  7. }
  8. /// <summary>
  9. /// 创建表
  10. /// </summary>
  11. /// <returns></returns>
  12. [HttpGet("CreateTable")]
  13. public IActionResult CreateTable()
  14. {
  15.     db.CreateTable();
  16.     return Ok("执行成功!");
  17. }
  18. // 添加部门  
  19. [HttpPost("AddDepartment")]
  20. public async Task<IActionResult> AddDepartment([FromBody] DepartmentModel departmentModel)
  21. {
  22.     if (ModelState.IsValid)
  23.     {
  24.         int result = await _repository.Insert(departmentModel);
  25.         if (result > 0)
  26.         {
  27.             return Ok(new { message = "部门添加成功", departmentId = departmentModel.DepartMentId });
  28.         }
  29.         else
  30.         {
  31.             return BadRequest(new { message = "部门添加失败" });
  32.         }
  33.     }
  34.     else
  35.     {
  36.         return BadRequest(ModelState);
  37.     }
  38. }
  39. // 更新部门  
  40. [HttpPut("UpdateDepartment")]
  41. public async Task<IActionResult> UpdateDepartment(int id, [FromBody] DepartmentModel departmentModel)
  42. {
  43.     if (ModelState.IsValid && departmentModel.DepartMentId == id)
  44.     {
  45.         bool result = await _repository.Update(departmentModel);
  46.         if (result)
  47.         {
  48.             return Ok(new { message = "部门更新成功" });
  49.         }
  50.         else
  51.         {
  52.             return BadRequest(new { message = "部门更新失败" });
  53.         }
  54.     }
  55.     else
  56.     {
  57.         return BadRequest(ModelState);
  58.     }
  59. }
  60. // 删除部门  
  61. [HttpDelete("DeleteDepartment")]
  62. public async Task<IActionResult> DeleteDepartment(int id)
  63. {
  64.     int result = await _repository.DeleteById(id);
  65.     if (result!=0)
  66.     {
  67.         return Ok(new { message = "部门删除成功" });
  68.     }
  69.     else
  70.     {
  71.         return NotFound(new { message = "未找到要删除的部门" });
  72.     }
  73. }
  74. [HttpGet("GetDepartment")]
  75. public async Task<IActionResult> GetDepartment(int id)
  76. {
  77.     DepartmentModel department = await _repository.GetById(id);
  78.     if (department != null)
  79.     {
  80.         // 将DepartmentModel转换为DepartmentDto,这里只是一个简单的示例  
  81.         //var departmentDto = new DepartmentDto { DepartMentId = department.DepartMentId };
  82.         return Ok(department);
  83.     }
  84.     else
  85.     {
  86.         return NotFound(new { message = "未找到要获取的部门" });
  87.     }
  88. }
  89. // 获取所有部门  
  90. [HttpGet("GetAllDepartments")]
  91. public async Task<IActionResult> GetAllDepartments()
  92. {
  93.     List<DepartmentModel> departments = await _repository.GetAll();
  94.     return Ok(departments);
  95. }
复制代码
官方网站:
果糖网: https://www.donet5.com/
这只是基础的使用,后续我也会发进阶用法,小伙伴们自己研究吧!加油、未来可期

来源:https://www.cnblogs.com/beiluoshimen/p/18243934
免责声明:由于采集信息均来自互联网,如果侵犯了您的权益,请联系我们【E-Mail:cb@itdo.tech】 我们会及时删除侵权内容,谢谢合作!

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x

举报 回复 使用道具