C# 一般处理程序 ashx文件

aspx:Web窗体设计页面。Web窗体页由两部分组成:视觉元素(html、服务器控件和静态文本)和该页的编程逻辑(VS中的设计视图和代码视图可分别看到它们对应得文件)。VS将这两个组成部分分别存储在一个单独的文件中。视觉元素在.aspx 文件中创建

ashx:.ashx文件是主要用来写web handler的。使用.ashx 可以让你专注于编程而不用管相关的web技术。我们熟知的.aspx是要做html控件树解析的,.aspx包含的所有html实际上是一个类,所有的html都是类里面的成员,这个过程在.ashx是不需要的。ashx必须包含IsReusable属性(这个属性代表是否可复用,通常为true),而如果要在ashx文件用使用Session必须实现IRequiresSessionState接口.

<%@ WebHandler Language="C#" Class="StockHandler" %>

using System;
using System.Web;
using System.Data;
using BLL;
using Comm.Json;

public class StockHandler : IHttpHandler
{
    DataSet ds = new DataSet();
    Mes_ProductBLL mes_ProductBLL = new Mes_ProductBLL();
    Mes_MaterialBLL mes_MaterialBLL = new Mes_MaterialBLL();
    JSONhelper json = new JSONhelper();
    public void ProcessRequest(HttpContext context)
    {
        string output = "";
        string action = context.Request["action"].ToString(); 
        switch (action)
        {
            case "GetProductJson":
                DataTable pdt = getProductData(context);
                string str1 = json.DataTableToJsonWithStringBuilder(pdt);
                output = "{\"total\":" + pdt.Rows.Count + ",\"rows\":" + str1 + "}";
                break;
            case "GetMaterialJson":
                DataTable mdt = getMaterialData(context);
                string str2 = json.DataTableToJsonWithStringBuilder(mdt);
                output = "{\"total\":" + mdt.Rows.Count + ",\"rows\":" + str2 + "}";
                break;

            default:
                break;
        }

        context.Response.ContentType = "text/plain";
        context.Response.Write(output);
    }
    /// 
    /// 获取产品数据的放法
    /// 
    /// 
    /// 
    public DataTable getProductData(HttpContext context)
    {
        DataSet ds = new DataSet();

        if (context.Request["SerchVale"] != null && !string.IsNullOrEmpty(context.Request["SerchVale"].ToString()))
        {
            ds = mes_ProductBLL.GetList(" product_name like '%" + context.Request["SerchVale"].ToString() + "%'");
        }
        else
        {
            ds = mes_ProductBLL.GetList("");
        }
        return ds.Tables[0];
    }
    /// 
    /// 获取原材料数据的方法
    /// 
    /// 
    /// 
    public DataTable getMaterialData(HttpContext context)
    {
        DataSet ds = new DataSet();

        if (context.Request["SerchVale"] != null && !string.IsNullOrEmpty(context.Request["SerchVale"].ToString()))
        {
            ds = mes_MaterialBLL.GetList(" material_name like '%" + context.Request["SerchVale"].ToString() + "%'");
        }
        else
        {
            ds = mes_MaterialBLL.GetList("");
        }
        return ds.Tables[0];
    }
    public bool IsReusable
    {
        get
        {
            return false;
        }
    }

}

ashx特别适合于生成动态图片,生成动态文本(纯文本,json,xml,javascript等即可)等。 
ashx文件有个缺点:它处理控件的回发事件非常麻烦。处理数据的回发,通常都需要一些.aspx页的功能,只有自己手动处理这些功能(还不如直接建一个aspx文件来处理)。所以,一般使用.ashx输出一些不需要回发处理的项目即可。 

你可能感兴趣的:(C#)