ASP.NET三层架构之不确定查询参数个数的查询

时间:2021-07-20 02:58:50

在做三层架构的时候,特别是对表做查询的时候,有时候并不确定查询条件的个数,比如查询学生表:有可能只输入学号,或者姓名,或者性别,总之查询条件的参数个数并不确定,下面是我用List实现传值的代码:

附图如下:

ASP.NET三层架构之不确定查询参数个数的查询

在这里附上数据库的表结构:

CREATE TABLE Student(
        StuId        VARCHAR(6) PRIMARY KEY,
        StuName   VARCHAR(10) NOT NULL,
        MajorId     INT NOT NULL,
        Sex           VARCHAR(2) NOT NULL DEFAULT '男',
        Birthdate   SMALLDATETIME NOT NULL,
        Credit        FLOAT,
        Remark     VARCHAR(200)
)

------------------------------------------------------------------------------------------------

程序代码如下:

Model层----------------------------------------------包含两个类------------------------

------------------表的实体类Student-----------------

public class Student
    {
        private string stuId; 
        public string StuId
        {
            get { return stuId; }
            set { stuId = value; }
        }

private string stuName;

public string StuName

{

get { return stuName; }

set { stuName = value; }

}

private int majorId;

public int MajorId

{

get { return majorId; }

set { majorId = value; }

}

private string sex;

public string Sex

{

get { return sex; }

set { sex = value; }

}

private DateTime birthdate;

public DateTime Birthdate

{

get { return birthdate; }

set { birthdate = value; }

}

private float credit;

public float Credit

{

get { return credit; }

set { credit = value; }

}

private string remark;

public string Remark

{

get { return remark; }

set { remark = value; }

}

}

------------------Condition主要用于传递参数,这个类也可以定义在别的地方-------------------

public class Condition
    {
        public string paramName { get; set; }
        public string paramValue { get; set; }
        public ConditionOperate Operation { get; set; }

// 查询所用到的运算操作符
        public enum ConditionOperate : byte
        {
            Equal,           // 等于
            NotEqual,      // 不等于
            Like,             // 模糊查询
            Lessthan,      // 小于等于
            GreaterThan  // 大于
        }
    }

---------------------DAL层-----------------------------------------------------------------

------------------DBHelper类---------------------------------------------

public class DBHelper

{

private SqlConnection conn;

private SqlCommand cmd;

private SqlDataAdapter sda;

private DataSet ds;

public DBHelper()

{

conn = new SqlConnection(ConfigurationManager.ConnectionStrings["key"].ConnectionString);

}

// 不带参数的查询

public DataSet GetResult(string sql, CommandType type)

{

cmd = new SqlCommand(sql, conn);

sda = new SqlDataAdapter(cmd);

conn.Close();

ds = new DataSet();

sda.Fill(ds, "student");

return ds;

}

// 带参数的查询

public DataSet GetResult(string sql, CommandType type, params SqlParameter[] paras)

{

cmd = new SqlCommand(sql, conn);

if (type == CommandType.StoredProcedure)

{

cmd.CommandType = CommandType.StoredProcedure;

}

cmd.Parameters.AddRange(paras);

sda = new SqlDataAdapter(cmd);

conn.Close();

ds = new DataSet();

sda.Fill(ds, "student");

return ds;

}

}

-----------------------------对Student表操作类

public class StudenDAL

{

public DataSet GetStudent(List<Condition> condition)

{

DataSet ds = new DataSet();

DBHelper db = new DBHelper();

string sql = "select * from student";

// 如果带查询语句带参数

if (condition.Count > 0)

{

sql += SqlString(condition);

ds = db.GetResult(sql, CommandType.Text, SqlParas(condition));

}

else

{

ds = db.GetResult(sql, CommandType.Text);

}

return ds;

}

----------------------以下两个可以写成一个类,以便如果有多张表时,可以实现代码的复用----------------------------------

// 获取查询参数

public SqlParameter[] SqlParas(List<Condition> cond)

{

List<SqlParameter> paras = new List<SqlParameter>();

for (int i = 0; i < cond.Count; i++)

{

SqlParameter para = new SqlParameter("@" + cond[i].paramName, cond[i].paramValue);

if (cond[i].Operation == Condition.ConditionOperate.Like)

{

para.SqlValue = "%" + cond[i].paramValue + "%";

}

paras.Add(para);

}

return paras.ToArray();

}

// 获取SQL查询语句的where子句

public string SqlString(List<Condition> cond)

{

string sqlWhere = string.Empty;

List<string> where = new List<string>();

// 数组元素的顺序应该与ConditionOperate枚举值顺序相同

string[] operateType = { " = ", " <> ", " Like ", " <= ", " >= " };

for (int i = 0; i < cond.Count; i++)

{

int index = (int)cond[i].Operation;

where.Add(string.Format("{0}" + operateType[index] + "{1}", cond[i].paramName, "@" + cond[i].paramName));

}

sqlWhere = " where " + string.Join(" and ", where.ToArray());

return sqlWhere;

}

}

------------------------------BLL层---------------------------

public class StudentBLL
    {
        private readonly StudenDAL stuDal = new StudenDAL();
        public DataSet GetStudent(List<Condition> condition)
        {
            return stuDal.GetStudent(condition);
        }
    }

------------------------------UI层,查询按钮的单击事件-------------------------------------

protected void btnSearch_Click(object sender, EventArgs e)

{

Condition condition;

StudentBLL stu = new StudentBLL();

List<Condition> list = new List<Condition>();

if (txtId.Text!="")

{

condition = new Condition()

{

paramName = "stuId",

paramValue = txtId.Text,

Operation = Condition.ConditionOperate.Equal

};

list.Add(condition);

}

if (txtName.Text!="")

{

condition = new Condition()

{

paramName = "stuName",

paramValue = txtName.Text,

Operation = Condition.ConditionOperate.Equal

};

list.Add(condition);

}

if (txtSex.Text != "")

{

condition = new Condition()

{

paramName = "Sex",

paramValue = txtSex.Text,

Operation = Condition.ConditionOperate.Equal

};

list.Add(condition);

}

GridView1.DataSource = stu.GetStudent(list);

GridView1.DataBind();

}

ASP.NET三层架构之不确定查询参数个数的查询的更多相关文章

  1. Asp&period;Net 三层架构之泛型应用

    一说到三层架构,我想大家都了解,这里就简单说下,Asp.Net三层架构一般包含:UI层.DAL层.BLL层,其中每层由Model实体类来传递,所以Model也算是三层架构之一了,例外为了数据库的迁移或 ...

  2. asp&period;net三层架构 及其中使用泛型获取实体数据介绍

    asp.net中使用泛型获取实体数据可以发挥更高的效率,代码简洁方便,本例采用三层架构.首先在model层中定义StuInfo实体,然后在 DAL层的SQLHelper数据操作类中定义list< ...

  3. 新闻公布系统 &lpar;Asp&period;net 三层架构 &rpar;

    2012年度课程设计---新闻公布系统(小结)                                                                             ...

  4. ASP&period;NET三层架构的分析

    BLL   是业务逻辑层   Business   Logic   Layer DAL   是数据访问层   Data   Access   Layer ASP.NET的三层架构(DAL,BLL,UI ...

  5. ASP&period;NET三层架构项目创建流程

    1.进入VS2010,新建项目—>Visual C#—>Web—>ASP.NET空Web应用程序,如图所示: 2.在解决方案处右击—>新建项目—>Windows—> ...

  6. 三层架构的一点理解以及Dapper一对多查询

    1.首先说一下自己对三层架构的一点理解 论坛里经常说会出现喜欢面相对象的写法,所以使用EF的,我个人觉得他俩没啥关系,先别反对,先听听我怎么说吧. 三层架构,基本都快说烂了,但今天还是说三层架构:UI ...

  7. 初学者-asp&period;net三层架构

    一.概述: 通常意义上的三层架构就是将整个业务应用划分为:表现层(UI).业务逻辑层(BLL).数据访问层(DAL).区分层次的目的即为了“高内聚,低耦合”的思想.是一种总体设计的思想. 1.表现层( ...

  8. asp&period;net三层架构详解

    一.数据库 /*==============================================================*/ /* DBMS name:      Microsof ...

  9. asp&period;net三层架构详解(转)

    摘自:http://www.cnblogs.com/cresuccess/archive/2008/12/10/1351675.html 一.数据库             ,)   )     no ...

随机推荐

  1. ES性能测试

    测试背景   因为ES(ElasticSearch)前段时间查询效率有点慢,技术小组对索引做了一些改动,因此需要测试一下修改后的查询效率,跟之前的结果做一下对比,所以有了这次测试.   需求简述   ...

  2. CSS选择器优先级 CSS权值

    计算指定选择器的优先级:重新认识CSS的权重 标签的权值为 0,0,0,1 类的权值为 0,0,1,0 属性选择的权值为 0,0,1,1  ID的权值为 0,1,0,0 important的权值为最高 ...

  3. php瀑布流,把一个数组分4个数组,按照时间排序

    简单介绍:把一个数组分成4个数组,取其中1的倍数 <?php $arr = array( ', ', ', ', ', ', ', ', ', ', ', ', ', ); foreach($a ...

  4. 定制Asp&period;NET 5 MVC内建身份验证机制 - 基于自建SQL Server用户&sol;角色数据表的表单身份验证

    背景 在需要进行表单认证的Asp.NET 5 MVC项目被创建后,往往需要根据项目的实际需求做一系列的工作对MVC 5内建的身份验证机制(Asp.NET Identity)进行扩展和定制: Asp.N ...

  5. sizeof与strlen的区别 浅谈

    1.sizeof operator sizeof是C语言的一种单目操作符,如C语言的其他操作符++.- - 等,它并不是函数. Queries size of the object or type. ...

  6. ZZNU 1993&colon; cots&&num;39&semi; friends

    题目描述 cot 最近非常喜欢数字, 喜欢到了什么程度呢, 已经走火入魔了.... cot把每个朋友编上一个序号,然后遇到谁就叫"XX号",对此,他的朋友们一致认为cot&quot ...

  7. &lbrack;日志分析&rsqb; Access Log 日志分析

    0x00.前言: 如何知道自己所在的公司或单位是否被入侵了?是没人来“黑”,还是因自身感知能力不足,暂时还没发现?入侵检测是每个安全运维人员都要面临的严峻挑战.安全无小事,一旦入侵成功,后果不堪设想. ...

  8. python3 参数&ast;args 、 &ast;&ast;args 在函数定义和调用中的应用

    一.函数调用时 说明:*args 表示解包(解包 列表.元组.字符串类型) #定义函数cn_musql def cn_musql(host,port,user,pwd,db): print(host) ...

  9. &lbrack;MapReduce&lowbar;8&rsqb; MapReduce 中的自定义分区实现

    0. 说明 设置分区数量 && 编写自定义分区代码 1. 设置分区数量 分区(Partition) 分区决定了指定的 Key 进入到哪个 Reduce 中 分区目的:把相同的 Key ...

  10. WEB上传大文件解决方案

    众所皆知,web上传大文件,一直是一个痛.上传文件大小限制,页面响应时间超时.这些都是web开发所必须直面的. 本文给出的解决方案是:前端实现数据流分片长传,后面接收完毕后合并文件的思路.下面贴出简易 ...