• 轻量级ORM


        不知道可能称的上是ORM,其实就是一个DBHelper。看到网上不少人写自己的ORM,但我觉得都不太好。

        我这个ORM,学习成本非常低,常用的方法仅有几个,在使用的过程中,你不需要有太多要注意的地方,也不会有“我怎样实现连表查询”的疑问。反射牺牲一些性能,但是降低了实现和使用的复杂度。

        支持Oracle、MSSQL、MySQL、SQLite四种数据库,并配有Model生成器。

    Model层的设计:

        Models目录中的类及其属性和数据库中的表和字段是完全对应的,Models全部由生成器生成,并且不允许手动修改。ExtModels目录中的类是扩展类,主要用于查询与显示,比如表中存的是code,但你需要关联查询另一张表中的name,就可以在这个扩展类中扩展一个用于显示的name字段。Models和ExtModels目录的中类都是partial修饰。

        例(由于是SQLite数据库,所以生成的Model没有注释,其它三种数据库有注释):

    Model:

    using System;
    using System.Collections.Generic;
    using System.Linq;
    
    namespace Models
    {
        /// <summary>
        /// 
        /// </summary>
        [Serializable]
        public partial class BS_Template
        {
            /// <summary>
            /// 
            /// </summary>
            [IsId]
            [IsDBField]
            public string id { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string typeCode { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string type { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string code { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string name { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string path { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string folder { get; set; }
            /// <summary>
            /// 
            /// </summary>
            [IsDBField]
            public string remarks { get; set; }
        }
    }
    View Code

    ExtModel:

    using System;
    using System.Collections.Generic;
    using System.Linq;
    
    namespace Models
    {
        /// <summary>
        /// 
        /// </summary>
        public partial class BS_Template
        {
            //暂没有扩展字段
        }
    }
    View Code

    DBHelper代码:

    using System;
    using System.Collections.Generic;
    using System.ComponentModel;
    using System.Configuration;
    using System.Data;
    using System.Data.Common;
    using System.Data.Objects.DataClasses;
    using System.Data.OracleClient;
    using System.Data.SqlClient;
    using System.Data.SQLite;
    using System.Reflection;
    using System.Text;
    using Models;
    using MySql.Data.MySqlClient;
    
    namespace DBUtil
    {
        /// <summary>
        /// 数据库操作类
        /// 2016年09月09日
        /// </summary>
        public class DBHelper
        {
            #region 变量
            /// <summary>
            /// 数据库类型
            /// </summary>
            private static string m_DBType = ConfigurationManager.AppSettings["DBType"];
            /// <summary>
            /// 数据库类型
            /// </summary>
            private static bool m_AutoIncrement = ConfigurationManager.AppSettings["AutoIncrement"].ToLower() == "true" ? true : false;
            /// <summary>
            /// 数据库连接字符串
            /// </summary>
            private static string m_ConnectionString = ConfigurationManager.ConnectionStrings["DefaultConnection"].ToString();
            /// <summary>
            /// 事务
            /// </summary>
            [ThreadStatic]
            private static DbTransaction m_Tran;
            /// <summary>
            /// 带参数的SQL插入和修改语句中,参数前面的符号
            /// </summary>
            private static string m_ParameterMark = GetParameterMark();
            #endregion
    
            #region 构造函数
            /// <summary>
            /// 数据库操作类
            /// </summary>
            public DBHelper()
            {
            }
            #endregion
    
            #region 生成变量
            #region 生成 IDbCommand
            /// <summary>
            /// 生成 IDbCommand
            /// </summary>
            private DbCommand GetCommand()
            {
                DbCommand command = null;
    
                switch (m_DBType)
                {
                    case "oracle":
                        command = new OracleCommand();
                        break;
                    case "mssql":
                        command = new SqlCommand();
                        break;
                    case "mysql":
                        command = new MySqlCommand();
                        break;
                    case "sqlite":
                        command = new SQLiteCommand();
                        break;
                }
    
                return command;
            }
            /// <summary>
            /// 生成 IDbCommand
            /// </summary>
            private DbCommand GetCommand(string sql, DbConnection conn)
            {
                DbCommand command = null;
    
                switch (m_DBType)
                {
                    case "oracle":
                        command = new OracleCommand(sql);
                        command.Connection = conn;
                        break;
                    case "mssql":
                        command = new SqlCommand(sql);
                        command.Connection = conn;
                        break;
                    case "mysql":
                        command = new MySqlCommand(sql);
                        command.Connection = conn;
                        break;
                    case "sqlite":
                        command = new SQLiteCommand(sql);
                        command.Connection = conn;
                        break;
                }
    
                return command;
            }
            #endregion
    
            #region 生成 IDbConnection
            /// <summary>
            /// 生成 IDbConnection
            /// </summary>
            private static DbConnection GetConnection()
            {
                DbConnection conn = null;
    
                switch (m_DBType)
                {
                    case "oracle":
                        conn = new OracleConnection(m_ConnectionString);
                        break;
                    case "mssql":
                        conn = new SqlConnection(m_ConnectionString);
                        break;
                    case "mysql":
                        conn = new MySqlConnection(m_ConnectionString);
                        break;
                    case "sqlite":
                        conn = new SQLiteConnection(m_ConnectionString);
                        break;
                }
    
                return conn;
            }
            #endregion
    
            #region 生成 IDbDataAdapter
            /// <summary>
            /// 生成 IDbDataAdapter
            /// </summary>
            private DbDataAdapter GetDataAdapter(DbCommand cmd)
            {
                DbDataAdapter dataAdapter = null;
    
                switch (m_DBType)
                {
                    case "oracle":
                        dataAdapter = new OracleDataAdapter();
                        dataAdapter.SelectCommand = cmd;
                        break;
                    case "mssql":
                        dataAdapter = new SqlDataAdapter();
                        dataAdapter.SelectCommand = cmd;
                        break;
                    case "mysql":
                        dataAdapter = new MySqlDataAdapter();
                        dataAdapter.SelectCommand = cmd;
                        break;
                    case "sqlite":
                        dataAdapter = new SQLiteDataAdapter();
                        dataAdapter.SelectCommand = cmd;
                        break;
                }
    
                return dataAdapter;
            }
            #endregion
    
            #region 生成 m_ParameterMark
            /// <summary>
            /// 生成 m_ParameterMark
            /// </summary>
            private static string GetParameterMark()
            {
                switch (m_DBType)
                {
                    case "oracle":
                        return ":";
                    case "mssql":
                        return "@";
                    case "mysql":
                        return "@";
                    case "sqlite":
                        return ":";
                }
                return ":";
            }
            #endregion
    
            #region 生成 DbParameter
            /// <summary>
            /// 生成 DbParameter
            /// </summary>
            private DbParameter GetDbParameter(string name, object value)
            {
                DbParameter dbParameter = null;
    
                switch (m_DBType)
                {
                    case "oracle":
                        dbParameter = new OracleParameter(name, value);
                        break;
                    case "mssql":
                        dbParameter = new SqlParameter(name, value);
                        break;
                    case "mysql":
                        dbParameter = new MySqlParameter(name, value);
                        break;
                    case "sqlite":
                        dbParameter = new SQLiteParameter(name, value);
                        break;
                }
    
                return dbParameter;
            }
            #endregion
            #endregion
    
            #region 基础方法
            #region  执行简单SQL语句
            #region Exists
            public bool Exists(string sqlString)
            {
                using (DbConnection conn = GetConnection())
                {
                    using (DbCommand cmd = GetCommand(sqlString, conn))
                    {
                        try
                        {
                            conn.Open();
                            object obj = cmd.ExecuteScalar();
                            if ((Object.Equals(obj, null)) || (Object.Equals(obj, System.DBNull.Value)))
                            {
                                return false;
                            }
                            else
                            {
                                return true;
                            }
                        }
                        catch (Exception ex)
                        {
                            throw ex;
                        }
                        finally
                        {
                            cmd.Dispose();
                            conn.Close();
                        }
                    }
                }
            }
            #endregion
    
            #region 执行SQL语句,返回影响的记录数
            /// <summary>
            /// 执行SQL语句,返回影响的记录数
            /// </summary>
            /// <param name="sqlString">SQL语句</param>
            /// <returns>影响的记录数</returns>
            public int ExecuteSql(string sqlString)
            {
                DbConnection conn = m_Tran == null ? GetConnection() : m_Tran.Connection;
                using (DbCommand cmd = GetCommand(sqlString, conn))
                {
                    try
                    {
                        if (conn.State != ConnectionState.Open) conn.Open();
                        if (m_Tran != null) cmd.Transaction = m_Tran;
                        int rows = cmd.ExecuteNonQuery();
                        return rows;
                    }
                    catch (Exception ex)
                    {
                        throw new Exception(ex.Message);
                    }
                    finally
                    {
                        cmd.Dispose();
                        if (m_Tran == null) conn.Close();
                    }
                }
            }
            #endregion
    
            #region 执行一条计算查询结果语句,返回查询结果
            /// <summary>
            /// 执行一条计算查询结果语句,返回查询结果(object)
            /// </summary>
            /// <param name="sqlString">计算查询结果语句</param>
            /// <returns>查询结果(object)</returns>
            public object GetSingle(string sqlString)
            {
                using (DbConnection conn = GetConnection())
                {
                    using (DbCommand cmd = GetCommand(sqlString, conn))
                    {
                        try
                        {
                            if (conn.State != ConnectionState.Open) conn.Open();
                            object obj = cmd.ExecuteScalar();
                            if ((Object.Equals(obj, null)) || (Object.Equals(obj, System.DBNull.Value)))
                            {
                                return null;
                            }
                            else
                            {
                                return obj;
                            }
                        }
                        catch (Exception ex)
                        {
                            throw ex;
                        }
                        finally
                        {
                            cmd.Dispose();
                        }
                    }
                }
            }
            #endregion
    
            #region 执行查询语句,返回IDataReader
            /// <summary>
            /// 执行查询语句,返回IDataReader ( 注意:调用该方法后,一定要对IDataReader进行Close )
            /// </summary>
            /// <param name="sqlString">查询语句</param>
            /// <returns>IDataReader</returns>
            public DbDataReader ExecuteReader(string sqlString)
            {
                DbConnection conn = GetConnection();
                DbCommand cmd = GetCommand(sqlString, conn);
                try
                {
                    if (conn.State != ConnectionState.Open) conn.Open();
                    DbDataReader myReader = cmd.ExecuteReader(CommandBehavior.CloseConnection);
                    return myReader;
                }
                catch (Exception ex)
                {
                    throw ex;
                }
            }
            #endregion
    
            #region 执行查询语句,返回DataSet
            /// <summary>
            /// 执行查询语句,返回DataSet
            /// </summary>
            /// <param name="sqlString">查询语句</param>
            /// <returns>DataSet</returns>
            public DataSet Query(string sqlString)
            {
                using (DbConnection conn = GetConnection())
                {
                    DataSet ds = new DataSet();
                    try
                    {
                        conn.Open();
                        using (DbCommand cmd = GetCommand(sqlString, conn))
                        {
                            DbDataAdapter adapter = GetDataAdapter(cmd);
                            adapter.Fill(ds, "ds");
                        }
                    }
                    catch (Exception ex)
                    {
                        throw ex;
                    }
                    finally
                    {
                        conn.Close();
                    }
                    return ds;
                }
            }
            #endregion
            #endregion
    
            #region 执行带参数的SQL语句
            #region 执行SQL语句,返回影响的记录数
            /// <summary>
            /// 执行SQL语句,返回影响的记录数
            /// </summary>
            /// <param name="SQLString">SQL语句</param>
            /// <returns>影响的记录数</returns>
            public int ExecuteSql(string SQLString, params DbParameter[] cmdParms)
            {
                DbConnection conn = m_Tran == null ? GetConnection() : m_Tran.Connection;
                using (DbCommand cmd = GetCommand())
                {
                    try
                    {
                        PrepareCommand(cmd, conn, m_Tran, SQLString, cmdParms);
                        int rows = cmd.ExecuteNonQuery();
                        cmd.Parameters.Clear();
                        return rows;
                    }
                    catch (Exception ex)
                    {
                        throw ex;
                    }
                    finally
                    {
                        cmd.Dispose();
                        if (m_Tran == null) conn.Close();
                    }
                }
            }
            #endregion
    
            #region 执行查询语句,返回IDataReader
            /// <summary>
            /// 执行查询语句,返回IDataReader ( 注意:调用该方法后,一定要对IDataReader进行Close )
            /// </summary>
            /// <param name="strSQL">查询语句</param>
            /// <returns>IDataReader</returns>
            public DbDataReader ExecuteReader(string sqlString, params DbParameter[] cmdParms)
            {
                DbConnection conn = GetConnection();
                DbCommand cmd = GetCommand();
                try
                {
                    PrepareCommand(cmd, conn, null, sqlString, cmdParms);
                    DbDataReader myReader = cmd.ExecuteReader(CommandBehavior.CloseConnection);
                    cmd.Parameters.Clear();
                    return myReader;
                }
                catch (Exception ex)
                {
                    throw ex;
                }
    
            }
            #endregion
    
            #region 执行查询语句,返回DataSet
            /// <summary>
            /// 执行查询语句,返回DataSet
            /// </summary>
            /// <param name="sqlString">查询语句</param>
            /// <returns>DataSet</returns>
            public DataSet Query(string sqlString, params DbParameter[] cmdParms)
            {
                DbConnection conn = GetConnection();
                DbCommand cmd = GetCommand();
                PrepareCommand(cmd, conn, null, sqlString, cmdParms);
                using (DbDataAdapter da = GetDataAdapter(cmd))
                {
                    DataSet ds = new DataSet();
                    try
                    {
                        da.Fill(ds, "ds");
                        cmd.Parameters.Clear();
                    }
                    catch (Exception ex)
                    {
                        throw ex;
                    }
                    finally
                    {
                        cmd.Dispose();
                        conn.Close();
                    }
                    return ds;
                }
            }
            #endregion
    
            #region PrepareCommand
            private void PrepareCommand(DbCommand cmd, DbConnection conn, DbTransaction trans, string cmdText, DbParameter[] cmdParms)
            {
                if (conn.State != ConnectionState.Open) conn.Open();
                cmd.Connection = conn;
                cmd.CommandText = cmdText;
                if (trans != null) cmd.Transaction = trans;
                cmd.CommandType = CommandType.Text;
                if (cmdParms != null)
                {
                    foreach (DbParameter parm in cmdParms)
                    {
                        cmd.Parameters.Add(parm);
                    }
                }
            }
            #endregion
            #endregion
            #endregion
    
            #region 增删改查
            #region 获取最大编号
            /// <summary>
            /// 获取最大编号
            /// </summary>
            /// <typeparam name="T">实体Model</typeparam>
            /// <param name="key">主键</param>
            public int GetMaxID<T>(string key)
            {
                Type type = typeof(T);
    
                string sql = null;
                switch (m_DBType)
                {
                    case "oracle":
                        sql = string.Format("SELECT Max({0}) FROM {1}", key, type.Name);
                        break;
                    case "mssql":
                        sql = string.Format("SELECT Max({0}) FROM {1}", key, type.Name);
                        break;
                    case "mysql":
                        sql = string.Format("SELECT Max({0}) FROM {1}", key, type.Name);
                        break;
                    case "sqlite":
                        sql = string.Format("SELECT Max(cast({0} as int)) FROM {1}", key, type.Name);
                        break;
                }
    
                using (DbConnection conn = GetConnection())
                {
                    using (IDbCommand cmd = GetCommand(sql, conn))
                    {
                        try
                        {
                            conn.Open();
                            object obj = cmd.ExecuteScalar();
                            if ((Object.Equals(obj, null)) || (Object.Equals(obj, System.DBNull.Value)))
                            {
                                return 1;
                            }
                            else
                            {
                                return int.Parse(obj.ToString()) + 1;
                            }
                        }
                        catch (Exception ex)
                        {
                            throw ex;
                        }
                        finally
                        {
                            cmd.Dispose();
                            conn.Close();
                        }
                    }
                }
            }
            #endregion
    
            #region 添加
            /// <summary>
            /// 添加
            /// </summary>
            public void Insert(object obj)
            {
                Insert(obj, m_AutoIncrement);
            }
            /// <summary>
            /// 添加
            /// </summary>
            public void Insert(object obj, bool autoIncrement)
            {
                StringBuilder strSql = new StringBuilder();
                Type type = obj.GetType();
                strSql.Append(string.Format("insert into {0}(", type.Name));
    
                PropertyInfo[] propertyInfoList = GetEntityProperties(type);
                List<string> propertyNameList = new List<string>();
                int savedCount = 0;
                foreach (PropertyInfo propertyInfo in propertyInfoList)
                {
                    if (propertyInfo.GetCustomAttributes(typeof(IsIdAttribute), false).Length > 0 && autoIncrement) return;
                    if (propertyInfo.GetCustomAttributes(typeof(IsDBFieldAttribute), false).Length > 0)
                    {
                        propertyNameList.Add(propertyInfo.Name);
                        savedCount++;
                    }
                }
    
                strSql.Append(string.Format("{0})", string.Join(",", propertyNameList.ToArray())));
                strSql.Append(string.Format(" values ({0})", string.Join(",", propertyNameList.ConvertAll<string>(a => m_ParameterMark + a).ToArray())));
                DbParameter[] parameters = new DbParameter[savedCount];
                int k = 0;
                for (int i = 0; i < propertyInfoList.Length && savedCount > 0; i++)
                {
                    PropertyInfo propertyInfo = propertyInfoList[i];
                    if (propertyInfo.GetCustomAttributes(typeof(IsIdAttribute), false).Length > 0 && autoIncrement) return;
                    if (propertyInfo.GetCustomAttributes(typeof(IsDBFieldAttribute), false).Length > 0)
                    {
                        object val = propertyInfo.GetValue(obj, null);
                        DbParameter param = GetDbParameter(m_ParameterMark + propertyInfo.Name, val == null ? DBNull.Value : val);
                        parameters[k++] = param;
                    }
                }
    
                ExecuteSql(strSql.ToString(), parameters);
            }
            #endregion
    
            #region 修改
            /// <summary>
            /// 修改
            /// </summary>
            public void Update(object obj)
            {
                object oldObj = Find(obj, false);
                if (oldObj == null) throw new Exception("无法获取到旧数据");
    
                StringBuilder strSql = new StringBuilder();
                Type type = obj.GetType();
                strSql.Append(string.Format("update {0} ", type.Name));
    
                PropertyInfo[] propertyInfoList = GetEntityProperties(type);
                List<string> propertyNameList = new List<string>();
                int savedCount = 0;
                foreach (PropertyInfo propertyInfo in propertyInfoList)
                {
                    if (propertyInfo.GetCustomAttributes(typeof(IsDBFieldAttribute), false).Length > 0)
                    {
                        object oldVal = propertyInfo.GetValue(oldObj, null);
                        object val = propertyInfo.GetValue(obj, null);
                        if (!object.Equals(oldVal, val))
                        {
                            propertyNameList.Add(propertyInfo.Name);
                            savedCount++;
                        }
                    }
                }
    
                strSql.Append(string.Format(" set "));
                DbParameter[] parameters = new DbParameter[savedCount];
                StringBuilder sbPros = new StringBuilder();
                int k = 0;
                for (int i = 0; i < propertyInfoList.Length && savedCount > 0; i++)
                {
                    PropertyInfo propertyInfo = propertyInfoList[i];
                    if (propertyInfo.GetCustomAttributes(typeof(IsDBFieldAttribute), false).Length > 0)
                    {
                        object oldVal = propertyInfo.GetValue(oldObj, null);
                        object val = propertyInfo.GetValue(obj, null);
                        if (!object.Equals(oldVal, val))
                        {
                            sbPros.Append(string.Format(" {0}={1}{0},", propertyInfo.Name, m_ParameterMark));
                            DbParameter param = GetDbParameter(m_ParameterMark + propertyInfo.Name, val == null ? DBNull.Value : val);
                            parameters[k++] = param;
                        }
                    }
                }
                if (sbPros.Length > 0)
                {
                    strSql.Append(sbPros.ToString(0, sbPros.Length - 1));
                }
                strSql.Append(string.Format(" where {0}='{1}'", GetIdName(obj.GetType()), GetIdVal(obj).ToString()));
    
                if (savedCount > 0)
                {
                    ExecuteSql(strSql.ToString(), parameters);
                }
            }
            #endregion
    
            #region 删除
            /// <summary>
            /// 根据Id删除
            /// </summary>
            public void Delete<T>(int id)
            {
                Type type = typeof(T);
                StringBuilder sbSql = new StringBuilder();
                sbSql.Append(string.Format("delete from {0} where {2}='{1}'", type.Name, id, GetIdName(type)));
    
                ExecuteSql(sbSql.ToString());
            }
            /// <summary>
            /// 根据Id集合删除
            /// </summary>
            public void BatchDelete<T>(string ids)
            {
                if (string.IsNullOrWhiteSpace(ids)) return;
    
                Type type = typeof(T);
                StringBuilder sbSql = new StringBuilder();
                sbSql.Append(string.Format("delete from {0} where {2} in ({1})", type.Name, ids, GetIdName(type)));
    
                ExecuteSql(sbSql.ToString());
            }
            /// <summary>
            /// 根据条件删除
            /// </summary>
            public void Delete<T>(string conditions)
            {
                if (string.IsNullOrWhiteSpace(conditions)) return;
    
                Type type = typeof(T);
                StringBuilder sbSql = new StringBuilder();
                sbSql.Append(string.Format("delete from {0} where {1}", type.Name, conditions));
    
                ExecuteSql(sbSql.ToString());
            }
            #endregion
    
            #region 获取实体
            #region 根据实体获取实体
            /// <summary>
            /// 根据实体获取实体
            /// </summary>
            private object Find(object obj, bool readCache = true)
            {
                Type type = obj.GetType();
    
                object result = Activator.CreateInstance(type);
                bool hasValue = false;
                IDataReader rd = null;
    
                string sql = string.Format("select * from {0} where {2}='{1}'", type.Name, GetIdVal(obj), GetIdName(obj.GetType()));
    
                try
                {
                    rd = ExecuteReader(sql);
    
                    PropertyInfo[] propertyInfoList = GetEntityProperties(type);
    
                    int fcnt = rd.FieldCount;
                    List<string> fileds = new List<string>();
                    for (int i = 0; i < fcnt; i++)
                    {
                        fileds.Add(rd.GetName(i).ToUpper());
                    }
    
                    while (rd.Read())
                    {
                        hasValue = true;
                        IDataRecord record = rd;
    
                        foreach (PropertyInfo pro in propertyInfoList)
                        {
                            if (!fileds.Contains(pro.Name.ToUpper()) || record[pro.Name] == DBNull.Value)
                            {
                                continue;
                            }
    
                            pro.SetValue(result, record[pro.Name] == DBNull.Value ? null : getReaderValue(record[pro.Name], pro.PropertyType), null);
                        }
                    }
                }
                catch (Exception ex)
                {
                    throw ex;
                }
                finally
                {
                    if (rd != null && !rd.IsClosed)
                    {
                        rd.Close();
                        rd.Dispose();
                    }
                }
    
                if (hasValue)
                {
                    return result;
                }
                else
                {
                    return null;
                }
            }
            #endregion
    
            #region 根据Id获取实体
            /// <summary>
            /// 根据Id获取实体
            /// </summary>
            private object FindById(Type type, int id)
            {
                object result = Activator.CreateInstance(type);
                IDataReader rd = null;
                bool hasValue = false;
    
                string sql = string.Format("select * from {0} where {2}='{1}'", type.Name, id, GetIdName(type));
    
                try
                {
                    rd = ExecuteReader(sql);
    
                    PropertyInfo[] propertyInfoList = GetEntityProperties(type);
    
                    int fcnt = rd.FieldCount;
                    List<string> fileds = new List<string>();
                    for (int i = 0; i < fcnt; i++)
                    {
                        fileds.Add(rd.GetName(i).ToUpper());
                    }
    
                    while (rd.Read())
                    {
                        hasValue = true;
                        IDataRecord record = rd;
    
                        foreach (PropertyInfo pro in propertyInfoList)
                        {
                            if (!fileds.Contains(pro.Name.ToUpper()) || record[pro.Name] == DBNull.Value)
                            {
                                continue;
                            }
    
                            pro.SetValue(result, record[pro.Name] == DBNull.Value ? null : getReaderValue(record[pro.Name], pro.PropertyType), null);
                        }
                    }
                }
                catch (Exception ex)
                {
                    throw ex;
                }
                finally
                {
                    if (rd != null && !rd.IsClosed)
                    {
                        rd.Close();
                        rd.Dispose();
                    }
                }
    
                if (hasValue)
                {
                    return result;
                }
                else
                {
                    return null;
                }
            }
            #endregion
    
            #region 根据Id获取实体
            /// <summary>
            /// 根据Id获取实体
            /// </summary>
            public T FindById<T>(string id) where T : new()
            {
                Type type = typeof(T);
                T result = (T)Activator.CreateInstance(type);
                IDataReader rd = null;
                bool hasValue = false;
    
                string sql = string.Format("select * from {0} where {2}='{1}'", type.Name, id, GetIdName(type));
    
                try
                {
                    rd = ExecuteReader(sql);
    
                    PropertyInfo[] propertyInfoList = GetEntityProperties(type);
    
                    int fcnt = rd.FieldCount;
                    List<string> fileds = new List<string>();
                    for (int i = 0; i < fcnt; i++)
                    {
                        fileds.Add(rd.GetName(i).ToUpper());
                    }
    
                    while (rd.Read())
                    {
                        hasValue = true;
                        IDataRecord record = rd;
    
                        foreach (PropertyInfo pro in propertyInfoList)
                        {
                            if (!fileds.Contains(pro.Name.ToUpper()) || record[pro.Name] == DBNull.Value)
                            {
                                continue;
                            }
    
                            pro.SetValue(result, record[pro.Name] == DBNull.Value ? null : getReaderValue(record[pro.Name], pro.PropertyType), null);
                        }
                    }
                }
                catch (Exception ex)
                {
                    throw ex;
                }
                finally
                {
                    if (rd != null && !rd.IsClosed)
                    {
                        rd.Close();
                        rd.Dispose();
                    }
                }
    
                if (hasValue)
                {
                    return result;
                }
                else
                {
                    return default(T);
                }
            }
            #endregion
    
            #region 根据sql获取实体
            /// <summary>
            /// 根据sql获取实体
            /// </summary>
            public T FindBySql<T>(string sql) where T : new()
            {
                Type type = typeof(T);
                T result = (T)Activator.CreateInstance(type);
                IDataReader rd = null;
                bool hasValue = false;
    
                try
                {
                    rd = ExecuteReader(sql);
    
                    PropertyInfo[] propertyInfoList = GetEntityProperties(type);
    
                    int fcnt = rd.FieldCount;
                    List<string> fileds = new List<string>();
                    for (int i = 0; i < fcnt; i++)
                    {
                        fileds.Add(rd.GetName(i).ToUpper());
                    }
    
                    while (rd.Read())
                    {
                        hasValue = true;
                        IDataRecord record = rd;
    
                        foreach (PropertyInfo pro in propertyInfoList)
                        {
                            if (!fileds.Contains(pro.Name.ToUpper()) || record[pro.Name] == DBNull.Value)
                            {
                                continue;
                            }
    
                            pro.SetValue(result, record[pro.Name] == DBNull.Value ? null : getReaderValue(record[pro.Name], pro.PropertyType), null);
                        }
                    }
                }
                catch (Exception ex)
                {
                    throw ex;
                }
                finally
                {
                    if (rd != null && !rd.IsClosed)
                    {
                        rd.Close();
                        rd.Dispose();
                    }
                }
    
                if (hasValue)
                {
                    return result;
                }
                else
                {
                    return default(T);
                }
            }
            #endregion
            #endregion
    
            #region 获取列表
            /// <summary>
            /// 获取列表
            /// </summary>
            public List<T> FindListBySql<T>(string sql) where T : new()
            {
                List<T> list = new List<T>();
                object obj;
                IDataReader rd = null;
    
                try
                {
                    rd = ExecuteReader(sql);
    
                    if (typeof(T) == typeof(int))
                    {
                        while (rd.Read())
                        {
                            list.Add((T)rd[0]);
                        }
                    }
                    else if (typeof(T) == typeof(string))
                    {
                        while (rd.Read())
                        {
                            list.Add((T)rd[0]);
                        }
                    }
                    else
                    {
                        PropertyInfo[] propertyInfoList = (typeof(T)).GetProperties();
    
                        int fcnt = rd.FieldCount;
                        List<string> fileds = new List<string>();
                        for (int i = 0; i < fcnt; i++)
                        {
                            fileds.Add(rd.GetName(i).ToUpper());
                        }
    
                        while (rd.Read())
                        {
                            IDataRecord record = rd;
                            obj = new T();
    
    
                            foreach (PropertyInfo pro in propertyInfoList)
                            {
                                if (!fileds.Contains(pro.Name.ToUpper()) || record[pro.Name] == DBNull.Value)
                                {
                                    continue;
                                }
    
                                pro.SetValue(obj, record[pro.Name] == DBNull.Value ? null : getReaderValue(record[pro.Name], pro.PropertyType), null);
                            }
                            list.Add((T)obj);
                        }
                    }
                }
                catch (Exception ex)
                {
                    throw ex;
                }
                finally
                {
                    if (rd != null && !rd.IsClosed)
                    {
                        rd.Close();
                        rd.Dispose();
                    }
                }
    
                return list;
            }
            #endregion
    
            #region 获取列表
            /// <summary>
            /// 获取列表
            /// </summary>
            public List<T> FindListBySql<T>(string sql, params DbParameter[] cmdParms) where T : new()
            {
                List<T> list = new List<T>();
                object obj;
                IDataReader rd = null;
    
                try
                {
                    rd = ExecuteReader(sql, cmdParms);
    
                    if (typeof(T) == typeof(int))
                    {
                        while (rd.Read())
                        {
                            list.Add((T)rd[0]);
                        }
                    }
                    else if (typeof(T) == typeof(string))
                    {
                        while (rd.Read())
                        {
                            list.Add((T)rd[0]);
                        }
                    }
                    else
                    {
                        PropertyInfo[] propertyInfoList = (typeof(T)).GetProperties();
    
                        int fcnt = rd.FieldCount;
                        List<string> fileds = new List<string>();
                        for (int i = 0; i < fcnt; i++)
                        {
                            fileds.Add(rd.GetName(i).ToUpper());
                        }
    
                        while (rd.Read())
                        {
                            IDataRecord record = rd;
                            obj = new T();
    
    
                            foreach (PropertyInfo pro in propertyInfoList)
                            {
                                if (!fileds.Contains(pro.Name.ToUpper()) || record[pro.Name] == DBNull.Value)
                                {
                                    continue;
                                }
    
                                pro.SetValue(obj, record[pro.Name] == DBNull.Value ? null : getReaderValue(record[pro.Name], pro.PropertyType), null);
                            }
                            list.Add((T)obj);
                        }
                    }
                }
                catch (Exception ex)
                {
                    throw ex;
                }
                finally
                {
                    if (rd != null && !rd.IsClosed)
                    {
                        rd.Close();
                        rd.Dispose();
                    }
                }
    
                return list;
            }
            #endregion
    
            #region 分页获取列表
            /// <summary>
            /// 分页(任意entity,尽量少的字段)
            /// </summary>
            public PagerModel FindPageBySql<T>(string sql, string orderby, int pageSize, int currentPage) where T : new()
            {
                PagerModel pagerModel = new PagerModel(currentPage, pageSize);
    
                using (DbConnection connection = GetConnection())
                {
                    connection.Open();
                    IDbCommand cmd = null;
                    StringBuilder sb = new StringBuilder();
                    string commandText = null;
                    int startRow = 0;
                    int endRow = 0;
                    switch (m_DBType)
                    {
                        case "oracle":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
                            endRow = startRow + pageSize;
    
                            sb.Append("select * from ( select row_limit.*, rownum rownum_ from (");
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.Append(" ) row_limit where rownum <= ");
                            sb.Append(endRow);
                            sb.Append(" ) where rownum_ >");
                            sb.Append(startRow);
                            #endregion
                            break;
                        case "mssql":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1) + 1;
                            endRow = startRow + pageSize - 1;
    
                            sb.Append(string.Format(@"
                                select * from 
                                (select ROW_NUMBER() over({1}) as rowNumber, t.* from ({0}) t) tempTable
                                where rowNumber between {2} and {3} ", sql, orderby, startRow, endRow));
                            #endregion
                            break;
                        case "mysql":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
    
                            sb.Append("select * from (");
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.AppendFormat(" ) row_limit limit {0},{1}", startRow, pageSize);
                            #endregion
                            break;
                        case "sqlite":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
    
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.AppendFormat(" limit {0} offset {1}", pageSize, startRow);
                            #endregion
                            break;
                    }
    
                    List<T> list = FindListBySql<T>(sb.ToString());
                    pagerModel.result = list;
                }
    
                return pagerModel;
            }
            #endregion
    
            #region 分页获取列表
            /// <summary>
            /// 分页(任意entity,尽量少的字段)
            /// </summary>
            /// <typeparam name="T"></typeparam>
            /// <param name="sql"></param>
            /// <returns></returns>
            public PagerModel FindPageBySql<T>(string sql, string orderby, int pageSize, int currentPage, params DbParameter[] cmdParms) where T : new()
            {
                PagerModel pagerModel = new PagerModel(currentPage, pageSize);
    
                using (DbConnection connection = GetConnection())
                {
                    connection.Open();
                    IDbCommand cmd = null;
                    StringBuilder sb = new StringBuilder();
                    string commandText = null;
                    int startRow = 0;
                    int endRow = 0;
                    switch (m_DBType)
                    {
                        case "oracle":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
                            endRow = startRow + pageSize;
    
                            sb.Append("select * from ( select row_limit.*, rownum rownum_ from (");
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.Append(" ) row_limit where rownum <= ");
                            sb.Append(endRow);
                            sb.Append(" ) where rownum_ >");
                            sb.Append(startRow);
                            #endregion
                            break;
                        case "mssql":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1) + 1;
                            endRow = startRow + pageSize - 1;
    
                            sb.Append(string.Format(@"
                                select * from 
                                (select ROW_NUMBER() over({1}) as rowNumber, t.* from ({0}) t) tempTable
                                where rowNumber between {2} and {3} ", sql, orderby, startRow, endRow));
                            #endregion
                            break;
                        case "mysql":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
    
                            sb.Append("select * from (");
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.AppendFormat(" ) row_limit limit {0},{1}", startRow, pageSize);
                            #endregion
                            break;
                        case "sqlite":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            pagerModel.totalRows = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
    
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.AppendFormat(" limit {0} offset {1}", pageSize, startRow);
                            #endregion
                            break;
                    }
    
                    List<T> list = FindListBySql<T>(sb.ToString(), cmdParms);
                    pagerModel.result = list;
                }
    
                return pagerModel;
            }
    
    
            #endregion
    
            #region 分页获取列表
            /// <summary>
            /// 分页(任意entity,尽量少的字段)
            /// </summary>
            public DataSet FindPageBySql(string sql, string orderby, int pageSize, int currentPage, out int totalCount, params DbParameter[] cmdParms)
            {
                DataSet ds = null;
    
                using (DbConnection connection = GetConnection())
                {
                    connection.Open();
                    IDbCommand cmd = null;
                    StringBuilder sb = new StringBuilder();
                    string commandText = null;
                    int startRow = 0;
                    int endRow = 0;
                    totalCount = 0;
                    switch (m_DBType)
                    {
                        case "oracle":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            totalCount = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
                            endRow = startRow + pageSize;
    
                            sb.Append("select * from ( select row_limit.*, rownum rownum_ from (");
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.Append(" ) row_limit where rownum <= ");
                            sb.Append(endRow);
                            sb.Append(" ) where rownum_ >");
                            sb.Append(startRow);
                            #endregion
                            break;
                        case "mssql":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            totalCount = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1) + 1;
                            endRow = startRow + pageSize - 1;
    
                            sb.Append(string.Format(@"
                                select * from 
                                (select ROW_NUMBER() over({1}) as rowNumber, t.* from ({0}) t) tempTable
                                where rowNumber between {2} and {3} ", sql, orderby, startRow, endRow));
                            #endregion
                            break;
                        case "mysql":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            totalCount = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
    
                            sb.Append("select * from (");
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.AppendFormat(" ) row_limit limit {0},{1}", startRow, pageSize);
                            #endregion
                            break;
                        case "sqlite":
                            #region 分页查询语句
                            commandText = string.Format("select count(*) from ({0}) T", sql);
                            cmd = GetCommand(commandText, connection);
                            totalCount = int.Parse(cmd.ExecuteScalar().ToString());
    
                            startRow = pageSize * (currentPage - 1);
    
                            sb.Append(sql);
                            if (!string.IsNullOrWhiteSpace(orderby))
                            {
                                sb.Append(" ");
                                sb.Append(orderby);
                            }
                            sb.AppendFormat(" limit {0} offset {1}", pageSize, startRow);
                            #endregion
                            break;
                    }
    
                    ds = Query(sql, cmdParms);
                }
                return ds;
            }
            #endregion
    
            #region getReaderValue 转换数据
            /// <summary>
            /// 转换数据
            /// </summary>
            private Object getReaderValue(Object rdValue, Type ptype)
            {
                if (ptype == typeof(double))
                    return Convert.ToDouble(rdValue);
    
                if (ptype == typeof(decimal))
                    return Convert.ToDecimal(rdValue);
    
                if (ptype == typeof(int))
                    return Convert.ToInt32(rdValue);
    
                if (ptype == typeof(long))
                    return Convert.ToInt64(rdValue);
    
                if (ptype == typeof(DateTime))
                    return Convert.ToDateTime(rdValue);
    
                if (ptype == typeof(Nullable<double>))
                    return Convert.ToDouble(rdValue);
    
                if (ptype == typeof(Nullable<decimal>))
                    return Convert.ToDecimal(rdValue);
    
                if (ptype == typeof(Nullable<int>))
                    return Convert.ToInt32(rdValue);
    
                if (ptype == typeof(Nullable<long>))
                    return Convert.ToInt64(rdValue);
    
                if (ptype == typeof(Nullable<DateTime>))
                    return Convert.ToDateTime(rdValue);
    
                return rdValue;
            }
            #endregion
    
            #region 获取主键名称
            /// <summary>
            /// 获取主键名称
            /// </summary>
            public string GetIdName(Type type)
            {
                PropertyInfo[] propertyInfoList = GetEntityProperties(type);
                foreach (PropertyInfo propertyInfo in propertyInfoList)
                {
                    if (propertyInfo.GetCustomAttributes(typeof(IsIdAttribute), false).Length > 0)
                    {
                        return propertyInfo.Name;
                    }
                }
                return "Id";
            }
            #endregion
    
            #region 获取主键值
            /// <summary>
            /// 获取主键名称
            /// </summary>
            public object GetIdVal(object val)
            {
                string idName = GetIdName(val.GetType());
                if (!string.IsNullOrWhiteSpace(idName))
                {
                    return val.GetType().GetProperty(idName).GetValue(val, null);
                }
                return 0;
            }
            #endregion
    
            #region 获取实体类属性
            /// <summary>
            /// 获取实体类属性
            /// </summary>
            private PropertyInfo[] GetEntityProperties(Type type)
            {
                List<PropertyInfo> result = new List<PropertyInfo>();
                PropertyInfo[] propertyInfoList = type.GetProperties();
                foreach (PropertyInfo propertyInfo in propertyInfoList)
                {
                    if (propertyInfo.GetCustomAttributes(typeof(EdmRelationshipNavigationPropertyAttribute), false).Length == 0
                        && propertyInfo.GetCustomAttributes(typeof(BrowsableAttribute), false).Length == 0)
                    {
                        result.Add(propertyInfo);
                    }
                }
                return result.ToArray();
            }
            #endregion
    
            #region 获取基类
            /// <summary>
            /// 获取基类
            /// </summary>
            public Type GetBaseType(Type type)
            {
                while (type.BaseType != null && type.BaseType.Name != typeof(Object).Name)
                {
                    type = type.BaseType;
                }
                return type;
            }
            #endregion
            #endregion
    
            #region 事务
            #region 开始事务
            /// <summary>
            /// 开始事务
            /// </summary>
            public static void BeginTransaction()
            {
                DbConnection conn = GetConnection();
                if (conn.State != ConnectionState.Open) conn.Open();
                m_Tran = conn.BeginTransaction();
            }
            #endregion
    
            #region 提交事务
            /// <summary>
            /// 提交事务
            /// </summary>
            public static void CommitTransaction()
            {
                DbConnection conn = m_Tran.Connection;
                try
                {
                    m_Tran.Commit();
                }
                catch (Exception ex)
                {
                    m_Tran.Rollback();
                }
                finally
                {
                    if (conn.State == ConnectionState.Open) conn.Close();
                    m_Tran.Dispose();
                    m_Tran = null;
                }
            }
            #endregion
    
            #region 回滚事务(出错时调用该方法回滚)
            /// <summary>
            /// 回滚事务(出错时调用该方法回滚)
            /// </summary>
            public static void RollbackTransaction()
            {
                DbConnection conn = m_Tran.Connection;
                m_Tran.Rollback();
                if (conn.State == ConnectionState.Open) conn.Close();
            }
            #endregion
            #endregion
        }
    }
    View Code

     

    如何使用:

        添加:

    /// <summary>
    /// 添加
    /// </summary>
    public void Insert(object obj)
    {
        dbHelper.Insert(obj);
    }
    View Code

        修改:

    /// <summary>
    /// 修改
    /// </summary>
    public void Update(object obj)
    {
        dbHelper.Update(obj);
    }
    View Code

        根据ID删除:

    /// <summary>
    /// 删除
    /// </summary>
    public void Del(int id)
    {
        dbHelper.Delete<BS_Template>(id);
    }
    View Code

        根据ID批量删除:

    /// <summary>
    /// 删除
    /// </summary>
    public void BatchDelete(string ids)
    {
        dbHelper.BatchDelete<BS_Template>(ids);
    }
    View Code

        根据条件删除:

    /// <summary>
    /// 删除
    /// </summary>
    public void Delete(string conditions)
    {
        dbHelper.Delete<BS_Template>(conditions);
    }
    View Code

        获取最大ID(当然,ID一般采用自增,对于并发量极少的系统,或单机系统,为了省事,可以这样做):

    /// <summary>
    /// GetMaxId
    /// </summary>
    public int GetMaxId()
    {
        return dbHelper.GetMaxID<BS_Template>("id");
    }
    View Code

        根据条件查询实体:

    public BS_Template Get(string typeCode, Enums.TemplateType templateType)
    {
        StringBuilder sql = new StringBuilder(string.Format(@"
            select *
            from BS_Template 
            where typeCode='{0}' 
            and type='{1}'", typeCode, (int)templateType));
        return dbHelper.FindBySql<BS_Template>(sql.ToString());
    }
    public BS_Template Get2(string templateId, Enums.TemplateType templateType)
    {
        StringBuilder sql = new StringBuilder(string.Format(@"
            select *
            from BS_Template 
            where id='{0}' 
            and type='{1}'", templateId, (int)templateType));
        return dbHelper.FindBySql<BS_Template>(sql.ToString());
    }
    View Code

        根据ID查询实体:

    public BS_Test Get(string id)
    {
        return dbHelper.FindById<BS_Test>(id);
    }
    View Code

        查询列表:

    /// <summary>
    /// 查询列表
    /// </summary>
    public List<BS_Test> GetList(string name)
    {
        StringBuilder sql = new StringBuilder(string.Format(@"
            select *
            from BS_Test t
            where 1=1 "));
    
        if (!string.IsNullOrWhiteSpace(name))
        {
            sql.AppendFormat(" and t.name like '%{0}%'", name);
        }
    
        return dbHelper.FindListBySql<BS_Test>(sql.ToString());
    }
    View Code

        分页查询列表:

    /// <summary>
    /// 分页获取模板集合
    /// </summary>
    public List<BS_Template> GetList(ref PagerModel pager, string noticeType, string coreType, string name, Enums.TemplateType templateType)
    {
        StringBuilder sql = new StringBuilder(string.Format(@"
            select *
            from BS_Template t
            where 1=1 "));
    
        if (!string.IsNullOrWhiteSpace(noticeType))
        {
            sql.AppendFormat(" and nt.name like '%{0}%'", noticeType);
        }
    
        if (!string.IsNullOrWhiteSpace(coreType))
        {
            sql.AppendFormat(" and ct.name like '%{0}%'", coreType);
        }
    
        if (!string.IsNullOrWhiteSpace(name))
        {
            sql.AppendFormat(" and t.name like '%{0}%'", name);
        }
    
        sql.AppendFormat(" and t.type = '{0}'", (int)templateType);
    
        string orderby = "order by cast(id as int)";
        pager = dbHelper.FindPageBySql<BS_Template>(sql.ToString(), orderby, pager.rows, pager.page);
        return pager.result as List<BS_Template>;
    }
    View Code

        完整DAL:

    using System;
    using System.Collections.Generic;
    using System.Linq;
    using System.Text;
    using DBUtil;
    using Models;
    
    namespace DAL
    {
        /// <summary>
        /// 模板
        /// </summary>
        public class TemplateDal
        {
            #region 变量
            private DBHelper dbHelper = new DBHelper();
            #endregion
    
            #region 分页获取模板集合
            /// <summary>
            /// 分页获取模板集合
            /// </summary>
            public List<BS_Template> GetList(ref PagerModel pager, string noticeType, string coreType, string name, Enums.TemplateType templateType)
            {
                StringBuilder sql = new StringBuilder(string.Format(@"
                    select *
                    from BS_Template t
                    where 1=1 "));
    
                if (!string.IsNullOrWhiteSpace(noticeType))
                {
                    sql.AppendFormat(" and nt.name like '%{0}%'", noticeType);
                }
    
                if (!string.IsNullOrWhiteSpace(coreType))
                {
                    sql.AppendFormat(" and ct.name like '%{0}%'", coreType);
                }
    
                if (!string.IsNullOrWhiteSpace(name))
                {
                    sql.AppendFormat(" and t.name like '%{0}%'", name);
                }
    
                sql.AppendFormat(" and t.type = '{0}'", (int)templateType);
    
                string orderby = "order by cast(id as int)";
                pager = dbHelper.FindPageBySql<BS_Template>(sql.ToString(), orderby, pager.rows, pager.page);
                return pager.result as List<BS_Template>;
            }
            #endregion
    
            #region 获取字段关联模板集合
            /// <summary>
            /// 获取字段关联模板集合
            /// </summary>
            public List<BS_Template> GetList(string fieldId)
            {
                StringBuilder sql = new StringBuilder(string.Format(@"
                    select *
                    from BS_Template t
                    left join BS_TplFieldRelation r on r.templateId=t.id
                    left join BS_TplField f on f.id=r.fieldId  
                    where f.id='{0}'", fieldId));
                return dbHelper.FindListBySql<BS_Template>(sql.ToString());
            }
            #endregion
    
            #region 获取
            public BS_Template Get(string typeCode, Enums.TemplateType templateType)
            {
                StringBuilder sql = new StringBuilder(string.Format(@"
                    select *
                    from BS_Template 
                    where typeCode='{0}' 
                    and type='{1}'", typeCode, (int)templateType));
                return dbHelper.FindBySql<BS_Template>(sql.ToString());
            }
            public BS_Template Get2(string templateId, Enums.TemplateType templateType)
            {
                StringBuilder sql = new StringBuilder(string.Format(@"
                    select *
                    from BS_Template 
                    where id='{0}' 
                    and type='{1}'", templateId, (int)templateType));
                return dbHelper.FindBySql<BS_Template>(sql.ToString());
            }
            #endregion
    
            #region GetMaxId
            /// <summary>
            /// GetMaxId
            /// </summary>
            public int GetMaxId()
            {
                return dbHelper.GetMaxID<BS_Template>("id");
            }
            #endregion
    
            #region 添加
            /// <summary>
            /// 添加
            /// </summary>
            public void Insert(object obj)
            {
                dbHelper.Insert(obj);
            }
            #endregion
    
            #region 修改
            /// <summary>
            /// 修改
            /// </summary>
            public void Update(object obj)
            {
                dbHelper.Update(obj);
            }
            #endregion
    
            #region 删除
            /// <summary>
            /// 删除
            /// </summary>
            public void Del(int id)
            {
                dbHelper.Delete<BS_Template>(id);
            }
            /// <summary>
            /// 删除
            /// </summary>
            public void BatchDelete(string ids)
            {
                dbHelper.BatchDelete<BS_Template>(ids);
            }
            /// <summary>
            /// 删除
            /// </summary>
            public void Delete(string conditions)
            {
                dbHelper.Delete<BS_Template>(conditions);
            }
            #endregion
    
        }
    }
    View Code

        查询sql书写规范:

        SQL不能写的乱七八糟,该换行换行,该对齐对齐,例:

    /// <summary>
    /// 分页获取模板集合
    /// </summary>
    public List<BS_Template> GetList(ref PagerModel pager, string noticeType, string coreType, string name, Enums.TemplateType templateType)
    {
        StringBuilder sql = new StringBuilder(string.Format(@"
            select *
            from BS_Template t
            where 1=1 "));
    
        if (!string.IsNullOrWhiteSpace(noticeType))
        {
            sql.AppendFormat(" and nt.name like '%{0}%'", noticeType);
        }
    
        if (!string.IsNullOrWhiteSpace(coreType))
        {
            sql.AppendFormat(" and ct.name like '%{0}%'", coreType);
        }
    
        if (!string.IsNullOrWhiteSpace(name))
        {
            sql.AppendFormat(" and t.name like '%{0}%'", name);
        }
    
        sql.AppendFormat(" and t.type = '{0}'", (int)templateType);
    
        string orderby = "order by cast(id as int)";
        pager = dbHelper.FindPageBySql<BS_Template>(sql.ToString(), orderby, pager.rows, pager.page);
        return pager.result as List<BS_Template>;
    }
    View Code

        select换行,from换行,join换行,where换行,and换行。

        

        数据库事务:

    try
    {
        DBHelper.BeginTransaction();
    
        BS_Template model = new BS_Template();
        model.id = m_TemplateDal.GetMaxId().ToString();
        model.code = k.ToString("0000");
        model.name = "测试" + k.ToString();
        model.remarks = "测试" + k.ToString();
        model.type = ((int)Enums.TemplateType.Notice).ToString();
        m_TemplateDal.Insert(model);
        //throw new Exception("a");
    
        BS_Test test = new BS_Test();
        test.id = m_TestDal.GetMaxId().ToString();
        test.code = "测试" + k.ToString();
        test.name = "测试" + k.ToString();
        test.remarks = "测试" + k.ToString();
        m_TestDal.Insert(test);
    
        DBHelper.CommitTransaction();
        MessageBox.Show("成功");
    }
    catch (Exception ex)
    {
        DBHelper.RollbackTransaction();
        MessageBox.Show(ex.Message);
    }
    View Code

        代码下载:http://files.cnblogs.com/files/s0611163/DBHelperDemo.zip

        Model生成器下载:http://files.cnblogs.com/files/s0611163/Model%E7%94%9F%E6%88%90%E5%99%A8.zip

  • 相关阅读:
    学习C++的第一天
    2016.12.28
    无主之地
    一种排序
    街区最短问题
    配对类问题
    蛇形填数
    c#unity
    贪心
    台阶
  • 原文地址:https://www.cnblogs.com/s0611163/p/5858456.html
Copyright © 2020-2023  润新知