zoukankan      html  css  js  c++  java
  • 个人项目框架搭建 -- 仓储模式使用

    ---恢复内容开始---

    1、创建仓储模式的相关接口

    2、三个文件的代码(命名空间)

    IRepository.cs代码:

    using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Linq.Expressions;
    
    namespace EnterpriseFrame.Core.Data
    {
        /// <summary>
        /// 这里T是泛型,(T:class  T是泛型参数。where T : class  是对T的限制,这里的意思是T必须是引用类型,包括任何类、接口、委托或数组类型)
        /// </summary>
        /// <typeparam name="T"></typeparam>
        public interface IRepository<T> where T : class
        {
    
            /// <summary>
            /// Gets a table
            /// </summary>
            IQueryable<T> Table { get; }
            /// <summary>
            /// IRespository插入接口
            /// </summary>
            /// <param name="entity"></param>
            /// <returns></returns>
            bool InsertEntity(T entity);
    
    
            /// <summary>
            /// IRespository修改接口
            /// </summary>
            /// <param name="entity"></param>
            /// <returns></returns>
            bool UpdateEntity(T entity);
    
            /// <summary>
            /// IRespository删除
            /// </summary>
            /// <param name="entity"></param>
            /// <returns></returns>
            bool DeleteEntity(T entity);
    
            /// <summary>
            /// 根据id查询
            /// </summary>
            /// <param name="Id"></param>
            /// <returns></returns>
            T GetEntityById(object Id);
    
            /// <summary>
            /// 带条件查询
            /// </summary>
            /// <param name="where"></param>
            /// <returns></returns>
            T Get(Expression<Func<T, bool>> where);
    
    
            /// <summary>
            /// 查询所有
            /// </summary>
            /// <returns></returns>
            IEnumerable<T> GetALLEntity();
    
            /// <summary>
            /// 这里也可以用IEnumerable类型,带条件查询所有
            /// </summary>
            /// <param name="where"></param>
            /// <returns></returns>
            IQueryable<T> GetAllEntityWhere(Expression<Func<T, bool>> where);
    
    
            /// <summary>
            /// 分页
            /// </summary>
            /// <param name="pageIndex"></param>
            /// <param name="PageSize"></param>
            /// <returns></returns>
            IList<T> GetPageEntities(int pageIndex, int PageSize);
    
            /// <summary>
            /// 分页带查询条件
            /// </summary>
            /// <param name="pageIndex"></param>
            /// <param name="PageSize"></param>
            /// <param name="where"></param>
            /// <returns></returns>
            IList<T> GetPageEntities(int pageIndex, int PageSize, Expression<Func<T, bool>> where);
    
    
    
        }
    }
    IRepository

    EfRepository.cs代码:

    using System;
    using System.Collections.Generic;
    using System.Data.Entity;
    using System.Data.Entity.Validation;
    using System.Linq;
    using System.Linq.Expressions;
    using System.Text;
    using System.Threading.Tasks;
    
    namespace EnterpriseFrame.Core.Data
    {
        public class EfRepository<T> : IRepository<T> where T : class
        {
    
            private readonly IDbContext _context;
            private IDbSet<T> _entities;
    
            public EfRepository(IDbContext context)
            {
                this._context = context;
            }
    
            protected virtual IDbSet<T> Entities
            {
                get
                {
                    if (_entities == null)
                        _entities = _context.Set<T>();
                    return _entities;
                }
            }
            /// <summary>
            /// Gets a table
            /// </summary>
            public virtual IQueryable<T> Table
            {
                get
                {
                    return this.Entities;
                }
            }
    
            /// <summary>
            /// 插入实体
            /// </summary>
            /// <param name="entity"></param>
            /// <returns></returns>
            public bool InsertEntity(T entity)
            {
                bool RetStatus = false;
                this.Entities.Add(entity);
                if (Save() > 0)
                {
                    RetStatus = true;
                }
                return RetStatus;
    
            }
    
    
            /// <summary>
            /// 修改实体
            /// </summary>
            /// <param name="entity"></param>
            /// <returns></returns>
            public bool UpdateEntity(T entity)
            {
                // throw new NotImplementedException();
                bool RetStatus = false;
                if (entity != null && Save() > 0)
                {
                    RetStatus = true;
                }
                return RetStatus;
    
            }
    
            /// <summary>
            /// 删除实体
            /// </summary>
            /// <param name="entity"></param>
            /// <returns></returns>
            public bool DeleteEntity(T entity)
            {
                //throw new NotImplementedException();
                bool RetStatus = false;
                if (entity != null)
                {
                    this.Entities.Remove(entity);
                    if (Save() > 0)
                    {
                        RetStatus = true;
                    }
                }
                return RetStatus;
    
            }
    
            /// <summary>
            /// 对Set<T>根据id 的查询的操作
            /// </summary>
            /// <param name="Id"></param>
            /// <returns></returns>
            public T GetEntityById(object Id)
            {
                return this.Entities.Find(Id);
            }
    
            /// <summary>
            /// 这里对Set<T>是带条件的操作
            /// </summary>
            /// <param name="where"></param>
            /// <returns></returns>
            public T Get(Expression<Func<T, bool>> where)
            {
                return this.Entities.Where(where).FirstOrDefault<T>();
            }
    
    
    
            /// <summary>
            /// 查询所有的
            /// </summary>
            /// <returns></returns>
            public IEnumerable<T> GetALLEntity()
            {
                //  throw new NotImplementedException();
    
                IEnumerable<T> query = this.Entities;
    
                return query;
            }
    
            /// <summary>
            /// 查询所有带条件
            /// </summary>
            /// <param name="where"></param>
            /// <returns></returns>
            public IQueryable<T> GetAllEntityWhere(Expression<Func<T, bool>> where)
            {
                IQueryable<T> query = this.Entities.Where(where);
                return query;
    
            }
    
    
            /// <summary>
            /// 分页方法
            /// </summary>
            /// <param name="pageIndex"></param>
            /// <param name="PageSize"></param>
            /// <returns></returns>
            public IList<T> GetPageEntities(int pageIndex, int PageSize)
            {
                IList<T> List = this.Entities.Skip(pageIndex * PageSize).Take(PageSize).ToList();
                return List;
    
            }
    
    
            /// <summary>
            /// 分页带查询条件
            /// </summary>
            /// <param name="pageIndex"></param>
            /// <param name="PageSize"></param>
            /// <param name="where"></param>
            /// <returns></returns>
            public IList<T> GetPageEntities(int pageIndex, int PageSize, Expression<Func<T, bool>> where)
            {
                // throw new NotImplementedException();
                IList<T> List = this.Entities.Where(where).Skip(pageIndex * PageSize).Take(PageSize).ToList();
                return List;
    
            }
    
    
    
            /// <summary>
            /// Save 保存确认方法
            /// </summary>
            public int Save()
            {
                return this._context.SaveChanges();
    
            }
        }
    }
    EfRepository

    IDbContext.cs:

    using System;
    using System.Collections.Generic;
    using System.Data.Entity;
    using System.Linq;
    using System.Text;
    using System.Threading.Tasks;
    
    namespace EnterpriseFrame.Core.Data
    {
        public interface IDbContext
        {
            /// <summary>
            /// Get DbSet
            /// </summary>
            /// <typeparam name="TEntity">Entity type</typeparam>
            /// <returns>DbSet</returns>
            IDbSet<TEntity> Set<TEntity>() where TEntity : class;
    
            /// <summary>
            /// Save changes
            /// </summary>
            /// <returns></returns>
            int SaveChanges();
    
            /// <summary>
            /// Execute stores procedure and load a list of entities at the end
            /// </summary>
            /// <typeparam name="TEntity">Entity type</typeparam>
            /// <param name="commandText">Command text</param>
            /// <param name="parameters">Parameters</param>
            /// <returns>Entities</returns>
            IList<TEntity> ExecuteStoredProcedureList<TEntity>(string commandText, params object[] parameters)
                where TEntity : class, new();
    
            /// <summary>
            /// Creates a raw SQL query that will return elements of the given generic type.  The type can be any type that has properties that match the names of the columns returned from the query, or can be a simple primitive type. The type does not have to be an entity type. The results of this query are never tracked by the context even if the type of object returned is an entity type.
            /// </summary>
            /// <typeparam name="TElement">The type of object returned by the query.</typeparam>
            /// <param name="sql">The SQL query string.</param>
            /// <param name="parameters">The parameters to apply to the SQL query string.</param>
            /// <returns>Result</returns>
            IEnumerable<TElement> SqlQuery<TElement>(string sql, params object[] parameters);
    
            /// <summary>
            /// Executes the given DDL/DML command against the database.
            /// </summary>
            /// <param name="sql">The command string</param>
            /// <param name="doNotEnsureTransaction">false - the transaction creation is not ensured; true - the transaction creation is ensured.</param>
            /// <param name="timeout">Timeout value, in seconds. A null value indicates that the default value of the underlying provider will be used</param>
            /// <param name="parameters">The parameters to apply to the command string.</param>
            /// <returns>The result returned by the database after executing the command.</returns>
            int ExecuteSqlCommand(string sql, bool doNotEnsureTransaction = false, int? timeout = null, params object[] parameters);
        }
    }
    IDbContext

    3、在EF CodeFirst中使用

    using System;
    using System.Collections.Generic;
    using System.Data;
    using System.Data.Common;
    using System.Data.Entity;
    using System.Data.Entity.Infrastructure;
    using System.Data.Entity.ModelConfiguration;
    using System.Linq;
    using System.Reflection;
    using System.Text;
    using System.Threading.Tasks;
    
    namespace EnterpriseFrame.Entity
    {
        using EnterpriseFrame.Core.Data;
    
        public partial class EnterpriseContext : DbContext, IDbContext
        {
            public EnterpriseContext(string nameOrConnectionString)
                : base(nameOrConnectionString)
            {
            }
            #region Entity
            public virtual DbSet<Admin> Admins { get; set; }
            public virtual DbSet<ArticleInfo> ArticleInfoes { get; set; }
            public virtual DbSet<ArticleRelation> ArticleRelations { get; set; }
            public virtual DbSet<ArticleType> ArticleTypes { get; set; }
            public virtual DbSet<FriendsLink> FriendsLinks { get; set; }
            public virtual DbSet<Permission> Permissions { get; set; }
            public virtual DbSet<Role_Permission> Role_Permission { get; set; }
            public virtual DbSet<Role> Roles { get; set; }
            public virtual DbSet<SiteALlConfig> SiteALlConfigs { get; set; }
            public virtual DbSet<SiteMessage> SiteMessages { get; set; }
            #endregion
    
            #region Utilities
    
            protected override void OnModelCreating(DbModelBuilder modelBuilder)
            {
                //dynamically load all configuration
                //System.Type configType = typeof(LanguageMap);   //any of your configuration classes here
                //var typesToRegister = Assembly.GetAssembly(configType).GetTypes()
    
                var typesToRegister = Assembly.GetExecutingAssembly().GetTypes()
                .Where(type => !String.IsNullOrEmpty(type.Namespace))
                .Where(type => type.BaseType != null && type.BaseType.IsGenericType && type.BaseType.GetGenericTypeDefinition() == typeof(EntityTypeConfiguration<>));
                foreach (var type in typesToRegister)
                {
                    dynamic configurationInstance = Activator.CreateInstance(type);
                    modelBuilder.Configurations.Add(configurationInstance);
                }
                //...or do it manually below. For example,
                //modelBuilder.Configurations.Add(new LanguageMap());
    
                modelBuilder.Entity<ArticleInfo>()
                    .Property(e => e.ArtContent)
                    .IsUnicode(false);
    
    
                modelBuilder.Entity<SiteMessage>()
                    .Property(e => e.MsgContent)
                    .IsUnicode(false);
    
                modelBuilder.Entity<SiteMessage>()
                    .Property(e => e.MsgReply)
                    .IsUnicode(false);
    
                base.OnModelCreating(modelBuilder);
            }
            #endregion
    
            #region Methods
    
            /// <summary>
            /// Create database script
            /// </summary>
            /// <returns>SQL to generate database</returns>
            public string CreateDatabaseScript()
            {
                return ((IObjectContextAdapter)this).ObjectContext.CreateDatabaseScript();
            }
    
            /// <summary>
            /// Get DbSet
            /// </summary>
            /// <typeparam name="TEntity">Entity type</typeparam>
            /// <returns>DbSet</returns>
            public new IDbSet<TEntity> Set<TEntity>() where TEntity : class
            {
                return base.Set<TEntity>();
            }
    
            /// <summary>
            /// Execute stores procedure and load a list of entities at the end
            /// </summary>
            /// <typeparam name="TEntity">Entity type</typeparam>
            /// <param name="commandText">Command text</param>
            /// <param name="parameters">Parameters</param>
            /// <returns>Entities</returns>
            public IList<TEntity> ExecuteStoredProcedureList<TEntity>(string commandText, params object[] parameters) where TEntity : class, new()
            {
                //add parameters to command
                if (parameters != null && parameters.Length > 0)
                {
                    for (int i = 0; i <= parameters.Length - 1; i++)
                    {
                        var p = parameters[i] as DbParameter;
                        if (p == null)
                            throw new Exception("Not support parameter type");
    
                        commandText += i == 0 ? " " : ", ";
    
                        commandText += "@" + p.ParameterName;
                        if (p.Direction == ParameterDirection.InputOutput || p.Direction == ParameterDirection.Output)
                        {
                            //output parameter
                            commandText += " output";
                        }
                    }
                }
    
                var result = this.Database.SqlQuery<TEntity>(commandText, parameters).ToList();
    
                //performance hack applied as described here - http://www.nopcommerce.com/boards/t/25483/fix-very-important-speed-improvement.aspx
                bool acd = this.Configuration.AutoDetectChangesEnabled;
                try
                {
                    this.Configuration.AutoDetectChangesEnabled = false;
    
                    throw new System.NotImplementedException();//未实现
                    //for (int i = 0; i < result.Count; i++)
                    //    result[i] = AttachEntityToContext(result[i]);
                }
                finally
                {
                    this.Configuration.AutoDetectChangesEnabled = acd;
                }
    
                return result;
            }
    
            /// <summary>
            /// Creates a raw SQL query that will return elements of the given generic type.  The type can be any type that has properties that match the names of the columns returned from the query, or can be a simple primitive type. The type does not have to be an entity type. The results of this query are never tracked by the context even if the type of object returned is an entity type.
            /// </summary>
            /// <typeparam name="TElement">The type of object returned by the query.</typeparam>
            /// <param name="sql">The SQL query string.</param>
            /// <param name="parameters">The parameters to apply to the SQL query string.</param>
            /// <returns>Result</returns>
            public IEnumerable<TElement> SqlQuery<TElement>(string sql, params object[] parameters)
            {
                return this.Database.SqlQuery<TElement>(sql, parameters);
            }
    
            /// <summary>
            /// Executes the given DDL/DML command against the database.
            /// </summary>
            /// <param name="sql">The command string</param>
            /// <param name="doNotEnsureTransaction">false - the transaction creation is not ensured; true - the transaction creation is ensured.</param>
            /// <param name="timeout">Timeout value, in seconds. A null value indicates that the default value of the underlying provider will be used</param>
            /// <param name="parameters">The parameters to apply to the command string.</param>
            /// <returns>The result returned by the database after executing the command.</returns>
            public int ExecuteSqlCommand(string sql, bool doNotEnsureTransaction = false, int? timeout = null, params object[] parameters)
            {
                int? previousTimeout = null;
                if (timeout.HasValue)
                {
                    //store previous timeout
                    previousTimeout = ((IObjectContextAdapter)this).ObjectContext.CommandTimeout;
                    ((IObjectContextAdapter)this).ObjectContext.CommandTimeout = timeout;
                }
    
                var transactionalBehavior = doNotEnsureTransaction
                    ? TransactionalBehavior.DoNotEnsureTransaction
                    : TransactionalBehavior.EnsureTransaction;
                var result = this.Database.ExecuteSqlCommand(transactionalBehavior, sql, parameters);
    
                if (timeout.HasValue)
                {
                    //Set previous timeout back
                    ((IObjectContextAdapter)this).ObjectContext.CommandTimeout = previousTimeout;
                }
    
                //return result
                return result;
            }
    
            #endregion
        }
    }
    EnterpriseContext

    文笔有限,就直接贴代码了。记录下自己开发需要到的干货。希望不会误导路过的各位,文中若有误,还望路过的道友指出。

  • 相关阅读:
    docker常用命令
    centos7安装docker
    windows程序自启动的几种方法(三)系统配置文件
    判断操作系统的类型
    浏览器插件 Browser Helper Object(BHO) 二
    dbf文件结构
    ICE开发中遇到的问题 (一)
    window程序自启动的几种方法(四)
    使用ICE遇到的编译问题
    浏览器插件 Browser Helper Object(BHO) 一
  • 原文地址:https://www.cnblogs.com/morang/p/5371638.html
Copyright © 2011-2022 走看看