jQuery + ashx 实现图片按比例预览、异步上传及显示
关键点:
- jquery.ajax 方法 和 HTML5 中的 FileReader对象
- ashx 处理程序
- asp.net 的 ScriptManager.RegisterStartupScript 调用客户端js脚本
一、ASP.NET 前台源码:
- <%@ Page Language="C#" AutoEventWireup="true" CodeFile="load_pic.aspx.cs" Inherits="Default2" %>
- <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
- <html xmlns="http://www.w3.org/1999/xhtml">
- <head runat="server">
- <title></title>
- <script type="text/javascript" src="Scripts/jquery-1.4.1.min.js"></script>
- <script type="text/javascript" src="Scripts/jquery-extend.js"></script>
- </head>
- <body>
- <form id="form1" runat="server">
- <div>
- <!-- 把浏览图片解析为 base64 字符串 ,通过 jQuery.ajax + ashx 异步保存到数据库中 -->
- <input type='file' onchange="readURL(this);" />
- <asp:Button ID="Button1" runat="server" OnClick="Button1_Click" Text="C#后台读取显示" />
- <!-- 存储 base64 字符串 ,方便在后台处理 -->
- <asp:HiddenField ID="hf_base64" runat="server" />
- </div>
- <div>
- <img id="img_prev" src="#" alt="your image" /></div>
- </form>
- </body>
- </html>
二、jquery-extent.js 代码
- /* 客户端按比例预览、上传图片 要求:jquery-1.4.1.min.js */
- //================================================================================================
- function readURL(input) {
- if (input.files && input.files[0]) {
- var reader = new FileReader();
- var maxWidth = 200, maxHeight = 200;
- reader.onload = function (e) {
- var base64 = e.target.result;
- loadbase64(base64, maxWidth, maxHeight);
- $("#hf_base64").val(base64);
- };
- reader.readAsDataURL(input.files[0]);
- }
- }
- // imgobj : img 标签对象,根据容器自动调整宽、高
- function load_obj_base64(imgobj, base64) {
- maxWidth = $(imgobj).width();
- maxHeight = $(imgobj).height();
- $("<img/>") // 在内存中创建一个img标记
- .attr("src", base64)
- .load(function () {
- var w, h;
- w = this.width;
- h = this.height;
- if (w < maxWidth && h < maxHeight) { }
- else
- { w / h > maxWidth / maxHeight ? this.width = maxWidth : this.height = maxHeight; }
- $(imgobj).replaceWith(this);
- });
- }
- function loadbase64(base64, maxWidth, maxHeight) {
- $("<img/>") // 在内存中创建一个img标记
- .attr("src", base64).attr("id", "img_prev")
- .load(function () {
- var w, h;
- w = this.width;
- h = this.height;
- // 当图片比预览区域小时不做任何改变
- if (w < maxWidth && h < maxHeight) { }
- else
- // 当实际图片比例大于预览区域宽高比例时
- // 缩放图片宽度,反之缩放图片宽度
- { w / h > maxWidth / maxHeight ? this.width = maxWidth : this.height = maxHeight; }
- $('#img_prev').replaceWith(this);
- $.ajax({
- async: false,
- type: 'POST',
- url: "uploadhandler.ashx",
- data: {
- file: base64
- },
- success: function (data) {
- //$j('#img_wait').css('display', 'none');
- },
- beforeSend: function (xhr) {
- //$j('#img_wait').css('display', 'inline');
- }
- });
- });
- }
三、uploadhandler.ashx
- <%@ WebHandler Language="C#" Class="uploadhandler" %>
- using System;
- using System.Collections.Generic;
- using System.Linq;
- using System.IO;
- using System.Net;
- using System.Web;
- using System.Web.Services;
- [WebService(Namespace = "http://tempuri.org/")]
- [WebServiceBinding(ConformsTo = WsiProfiles.BasicProfile1_1)]
- public class uploadhandler : IHttpHandler
- {
- public void ProcessRequest(HttpContext context)
- {
- context.Response.ContentType = "text/plain";
- context.Response.Charset = "utf-8";
- try
- {
- HttpPostedFile file = context.Request.Files["Filedata"];
- DBUtility.IDBHelper dbhelper = new DBUtility.SqlHelper();
- string strSql = "UPDATE [LDZ] set Photo = @imagedata WHERE [ID] = 13;";
- byte[] buffer = null;
- if (file != null)
- {
- buffer = getByte(file);
- }
- else
- {
- string img = context.Request.Params["file"];
- img = img.Substring(img.IndexOf("base64,") + 7);
- buffer = Convert.FromBase64String(img);
- }
- int r = dbhelper.ExecuteNonQuery(WebConfig.DB_CONN, System.Data.CommandType.Text,
- strSql,new System.Data.SqlClient.SqlParameter("@imagedata", buffer));
- context.Response.Write("1");
- }
- catch (Exception ex)
- {
- context.Response.Write("0");
- }
- }
- private byte[] getByte(HttpPostedFile file)
- {
- byte[] buffer = new byte[file.ContentLength];
- file.InputStream.Read(buffer, 0, buffer.Length);
- return buffer;
- }
- public bool IsReusable
- {
- get
- {
- return false;
- }
- }
- //图片转为base64编码的字符串
- protected string ImgToBase64String(string Imagefilename)
- {
- try
- {
- System.Drawing.Bitmap bmp = new System.Drawing.Bitmap(Imagefilename);
- MemoryStream ms = new MemoryStream();
- bmp.Save(ms, System.Drawing.Imaging.ImageFormat.Jpeg);
- byte[] arr = new byte[ms.Length];
- ms.Position = 0;
- ms.Read(arr, 0, (int)ms.Length);
- ms.Close();
- return Convert.ToBase64String(arr);
- }
- catch (Exception ex)
- {
- return null;
- }
- }
- //base64编码的字符串转为图片
- protected System.Drawing.Bitmap Base64StringToImage(string strbase64)
- {
- try
- {
- byte[] arr = Convert.FromBase64String(strbase64);
- MemoryStream ms = new MemoryStream(arr);
- System.Drawing.Bitmap bmp = new System.Drawing.Bitmap(ms);
- //bmp.Save("test.jpg", System.Drawing.Imaging.ImageFormat.Jpeg);
- ms.Close();
- return bmp;
- }
- catch (Exception ex)
- {
- return null;
- }
- }
- }
四、ASP.NET 后台代码
- using System;
- using System.Collections.Generic;
- using System.Linq;
- using System.Web;
- using System.Web.UI;
- using System.Web.UI.WebControls;
- using System.Data;
- public partial class Default2 : System.Web.UI.Page
- {
- protected void Page_Load(object sender, EventArgs e)
- {
- }
- protected void Button1_Click(object sender, EventArgs e)
- {
- DBUtility.IDBHelper dbhelper = new DBUtility.SqlHelper();
- string strSql = "select Photo from [LDZ] WHERE [ID] = 13;";
- DataSet r = dbhelper.ExecuteQuery(WebConfig.DB_CONN, System.Data.CommandType.Text, strSql);
- object imgObj = r.Tables[0].Rows[0]["Photo"];
- string base64 = "data:image/jpeg;base64,";
- if (imgObj != System.DBNull.Value)
- {
- byte[] buffer = (byte[])imgObj;
- base64 += Convert.ToBase64String(buffer);
- }
- string hf_base64 = this.hf_base64.Value;
- ScriptManager.RegisterStartupScript(this, this.GetType(), "",
- "loadbase64('" + base64 + "', 500, 500)", true);
- }
- }
注:ajax 方式异步读取数据库显示图片的方法同上传一致,使用 ashx 返回base64字符串在客户端处理即可。
记录一个让我纠结良久的问题:
在Page_Load 函数中,只有第一个用 ScriptManager.RegisterStartupScript 注册的脚本才有效
- /// <summary>
- /// 此函数范围内只有第一个用 ScriptManager.RegisterStartupScript 注册的脚本才有效
- /// </summary>
- protected void Page_Load(object sender, EventArgs e)
- {
- if (!IsPostBack)
- {
- // 首次加载的处理方法
- if (this.Request.Params["lid"] != null)
- {
- // 照片处理,从数据获取过程省略......
- object imgObj = row["Photo"];
- string base64 = "data:image/jpeg;base64,";
- if (imgObj != System.DBNull.Value)
- {
- byte[] buffer = (byte[])imgObj;
- base64 += Convert.ToBase64String(buffer);
- this.hf_base64.Value = base64;
- // js脚本 load_obj_base64 是用来在客户端渲染图片的
- string script = "$('#lz_caption strong').text('修改楼长信息');"
- +"load_obj_base64($('#photo_lz').parent().next().children('img'),'"+ base64 + "')";
- ScriptManager.RegisterStartupScript(this, this.GetType(), "",script, true);
- }
- }
jQuery + ashx 实现图片按比例预览、异步上传及显示的更多相关文章
- 基于“formData批量上传的多种实现” 的多图片预览、上传的多种实现
前言 图片上传是web项目常见的需求,我基于之前的博客的代码(请戳:formData批量上传的多种实现)里的第三种方法实现多图片的预览.上传,并且支持三种方式添加图片到上传列表:选择图片.复制粘贴图片 ...
- 原生js实现图片预览并上传
最近主导的PC客户端网站重构工程告一段落,下一阶段开始给公司APP开发H5页面,技术栈是react.最近碰到一个需求:需要在H5页面上添加身份证照片,预览并上传.因为要兼容安卓4.4以下版本的手机,所 ...
- 用js实现预览待上传的本地图片
js实现预览待上传的本地图片,代码如下: <form name="form5" id="form5" method="post" ac ...
- 网站中集成jquery.imgareaselect实现图片的本地预览和选择截取
imgAreaSelect 是由 Michal Wojciechowski开发的一款非常好用的jquery插件,实现了图片的截取功能.其文档和Demo也是很详尽的.大家可以到http://odynie ...
- jquery+html5+canvas实现图片 预览 压缩 上传
javascirpt (function($){ $.fn.extend({ aiiUpload:function(obj) { if(typeof obj !="object") ...
- H5-FileReader实现图片预览&Ajax上传文件
图片预览 <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF- ...
- 前端图片预览,上传前预览,兼容IE7、8、9、10、11,Firefox,Chrome(学习到的知识)
文章地址:http://www.cnblogs.com/rubylouvre/p/4597344.html 一.window.URL 在Chrome中,window.URL和window.webkit ...
- 如何预览将要上传的图片-使用H5的FileAPI
这篇将要说的东西已经不新鲜了. 参考资料: Reading files in JavaScript using the File APIs (鉴于作者在美国, 我姑且认为作者母语是英语, 当然链接中有 ...
- vue组件利用formdata图片预览以及上传《转载》
转载修改 在项目中直接新建一个单文件页,复制一下代码即可 upload组件: <template> <div class="vue-uploader" ...
随机推荐
- Python 图片Resize.py
#!/usr/bin/env python # -*- coding: utf-8 -*- # @Time : 19-7-14 下午4:54 # @Author : RongT import cv2 ...
- Appium查询元素方法
Appium查询元素有两种方式 一种是使用UI Automator: 参考 https://www.cnblogs.com/gongxr/p/10906736.html 另一种是使用appium的In ...
- Java Servlet:服务器小程序
servlet:服务器小程序 servlet是一个接口,接口是一种规范,因此servlet是一种规范 一个类声明为抽象类的原因: 不包含抽象方法,不想被实例化 包含抽象方法,子类有对抽象方法的不同实现 ...
- mysql慢查询日记
mysql慢查询日记 <pre>#必须写到mysqld 注意给/tmp/showslowmysql.log 775权限 要写入权限[mysqld]#开启慢查询日记slow_query_lo ...
- canal部署启动的时候报错com.alibaba.druid.pool.DruidDataSource - testWhileIdle is true, validationQuery not set
报错信息:com.alibaba.druid.pool.DruidDataSource - testWhileIdle is true, validationQuery not set 解决方法: 找 ...
- SpringBoot + Mybatis搭建完整的项目架构
准备工作: Java开发环境 已安装 springboot 插件(STS)的 Eclipse MySQL服务 一. 创建 springboot 项目 1. 打开Eclipse --> 左上角 ...
- Java开发笔记(一百二十九)Swing的输入框
Swing的输入框仍然分成两类:单行输入框和多行输入框,但与AWT的同类控件相比,它们在若干细节上有所调整.首先说单行输入框,AWT的单行输入框名叫TextField,平时输入什么字符它便显示什么字符 ...
- windows10环境下的RabbitMQ使用_笔记
使用默认账号:guest/guest登录http://localhost:15672/#/进去,添加一个新用户(Administrator权限),并设置其Permission 新建两个控制台程序 安装 ...
- golang --iota 用法
package main import "fmt" func main() { const ( a = iota //0 b //1 c //2 d = "ha" ...
- shell 学习笔记9-while/until循环语句
一.while循环语句 1.循环语句 循环愈久就是重复执行一条指令或一组执行,知道条件不在满足时停止,shell循环语句包括,while.until.for.select语句 2.while循环 主要 ...