search
HomeBackend DevelopmentPHP TutorialPHP combines the jQuery plug-in ajaxFileUpload to implement asynchronous file upload examples, _PHP tutorial

PHP combines with the jQuery plug-in ajaxFileUpload to implement an example of asynchronous file upload.

The most commonly used JQuery image upload plug-in is the Uploadify plug-in. The effect is very good, but it is not supported by mobile phones. flash, so I had to find another file upload plug-in to use. Later I found that the ajaxFileUpload plug-in is quite good, so I used this plug-in to achieve the effect of asynchronously uploading files. There are also many articles on the use of the ajaxFileUpload plug-in on the Internet, but I found that there is no PHP version, so this time the processing on the server side is handled in PHP language.

1. Detailed explanation of the syntax parameters of the ajaxFileUpload plug-in

 Principle: ajaxfileupload is implemented by monitoring the onload method of the iframe. When the processing from the server is completed, the onload event of the iframe is triggered to call its bound method. In the binding method, obtain the data body returned by the server in the iframe (supported ordinary text, json, xml, script, html)

 Syntax: $.ajaxFileUpload([options])

2. Next, let’s see how to use it

1. First introduce the ajaxFileUpload plug-in.

<script src="jquery-1.11.1.js" type="text/javascript"></script>
<script src="ajaxfileupload.js" type="text/javascript"></script>

I am using the jq1.11.1 version here. It is said on the Internet that the jq version and the ajaxfileupload version must correspond so that there will be no abnormal errors. Anyway, I have no errors now.

2. Paste the HTML code.

  <div data-role="fieldcontain" class="upload-box">
    <label for="id_photos"><span class="red">* </span>您的有效证件照:</label>
     <input type="file" id="id_photos" name="id_photos" value="上传" style="filter:alpha(opacity=10);-moz-opacity:10;opacity:10;" />   
    <p style="margin-top:0.5em;color:#999;font-size:11pt;">说明:请上传手持证件的半身照,请确保照片内证件信息清晰可读。</p>
  </div>
  <div class="id_photos" >
   
  </div> 

The main thing here is the code of . Don’t worry about the other ones, because I am on the mobile phone here. The jqueryMobile plug-in is used.

3. Go to the js code for processing.

$(document).bind('pageinit', function(){
 //照片异步上传
 $('#id_photos').change(function(){ //此处用了change事件,当选择好图片打开,关闭窗口时触发此事件
  $.ajaxFileUpload({
  url:'/uploader/', //处理图片的脚本路径
  type: 'post',  //提交的方式
  secureuri :false, //是否启用安全提交
  fileElementId :'id_photos',  //file控件ID
  dataType : 'json', //服务器返回的数据类型  
  success : function (data, status){ //提交成功后自动执行的处理函数
   if(1 != data.total) return;   //因为此处指允许上传单张图片,所以数量如果不是1,那就是有错误了
   var url = data.files[0].path;  
   $('.id_photos').empty();
   //此处效果是:当成功上传后会返回一个json数据,里面有url,取出url赋给img标签,然后追加到.id_photos类里显示出图片
   $('.id_photos').append('<img  src="/static/imghwm/default1.png"  data-src="'+url+'"  class="lazy"+url+'" value="'+url+'"   style="max-width:90%"  alt="PHP combines the jQuery plug-in ajaxFileUpload to implement asynchronous file upload examples, _PHP tutorial" >');
   //$('.upload-box').remove();
  },
  error: function(data, status, e){ //提交失败自动执行的处理函数
   alert(e);
  }
 })
});

Here I basically write comments on each line of code for everyone to understand. The process is to upload the image to uploader.php for processing. If the processing is successful, the json data will be returned. Then the url value will be taken out of the json, assigned to the img tag, and then the img tag will be appended to the page for display.

Here I attach the data returned by json:

{
 "total": 1,
 "success": 1,
 "files": [
  {
   "srcName": "3.jpg",
   "error": 0,
   "size": 10715,
   "type": "image/jpeg",
   "success": true,
   "path": "http://m.kellyblog.com/upload/20150528/857f4a35664b4a665e713322306d73b2.0x124x126.jpg",
   "width": 124,
   "height": 126
  }
 ]
}

The HTML page before uploading looks like this:

After the asynchronous upload is successful, the HTML page will look like this:

 

4. See how PHP handles it

class UploaderController extends XXXX_Controller {
 public function index() {
  $files = array();
  $success = 0; //用户统计有多少张图片上传成功了
  
  foreach ($_FILES as $item) {
   $index = count($files);

   $files[$index]['srcName'] = $item['name']; //上传图片的原名字
   $files[$index]['error'] = $item['error']; //和该文件上传相关的错误代码
   $files[$index]['size'] = $item['size'];  //已上传文件的大小,单位为字节
   $files[$index]['type'] = $item['type'];  //文件的 MIME 类型,需要浏览器提供该信息的支持,例如"image/gif"
   $files[$index]['success'] = false;   //这个用于标志该图片是否上传成功
   $files[$index]['path'] = '';    //存图片路径

   // 接收过程有没有错误
   if($item['error'] != 0) continue;
   //判断图片能不能上传
   if(!is_uploaded_file($item['tmp_name'])) {
    $files[$index]['error'] = 8000;
    continue;
   }
   //扩展名
   $extension = '';
   if(strcmp($item['type'], 'image/jpeg') == 0) {
    $extension = '.jpg';
   }
   else if(strcmp($item['type'], 'image/png') == 0) {
    $extension = '.png';
   }
   else if(strcmp($item['type'], 'image/gif') == 0) {
    $extension = '.gif';
   }
   else {
    //如果type不是以上三者,我们就从图片原名称里面去截取判断去取得(处于严谨性) 
    $substr = strrchr($item['name'], '.');
    if(FALSE == $substr) {
     $files[$index]['error'] = 8002;
     continue;
    }

    //取得元名字的扩展名后,再通过扩展名去给type赋上对应的值
    if(strcasecmp($substr, '.jpg') == 0 || strcasecmp($substr, '.jpeg') == 0 || strcasecmp($substr, '.jfif') == 0 || strcasecmp($substr, '.jpe') == 0 ) {
     $files[$index]['type'] = 'image/jpeg';
    }
    else if(strcasecmp($substr, '.png') == 0) {
     $files[$index]['type'] = 'image/png';
    }
    else if(strcasecmp($substr, '.gif') == 0) {
     $files[$index]['type'] = 'image/gif';
    }
    else {
     $files[$index]['error'] = 8003;
     continue;
    }
    $extension = $substr;
   }

   //对临时文件名加密,用于后面生成复杂的新文件名
   $md5 = md5_file($item['tmp_name']);
   //取得图片的大小
   $imageInfo = getimagesize($item['tmp_name']);
   $rawImageWidth = $imageInfo[0];
   $rawImageHeight = $imageInfo[1];

   //设置图片上传路径,放在upload文件夹,以年月日生成文件夹分类存储,
   //rtrim(base_url(), '/')其实就是网站的根目录,大家自己处理
   $path = rtrim(base_url(), '/') . '/upload/' . date('Ymd') . '/';
   //确保目录可写
   ensure_writable_dir($path);
   //文件名
   $name = "$md5.0x{$rawImageWidth}x{$rawImageHeight}{$extension}";
   //加入图片文件没变化到,也就是存在,就不必重复上传了,不存在则上传
   $ret = file_exists($path . $name) &#63; true : move_uploaded_file($item['tmp_name'], $serverPath . $name);
   if($ret === false) {
    $files[$index]['error'] = 8004;
    continue;
   }
   else {
    $files[$index]['path'] = $path . $name;  //存图片路径
    $files[$index]['success'] = true;   //图片上传成功标志
    $files[$index]['width'] = $rawImageWidth; //图片宽度
    $files[$index]['height'] = $rawImageHeight; //图片高度
    $success ++; //成功+1
   }
  }

  //将图片已json形式返回给js处理页面 ,这里大家可以改成自己的json返回处理代码
  echo json_encode(array(
   'total' => count($files),
   'success' => $success,
   'files' => $files,
  ));
 }
}
/*********************************分割*************************************************/
//这里我附上ensure_writable_dir()函数的代码
/**
* 确保文件夹存在并可写
*
* @param string $dir
*/
function ensure_writable_dir($dir) {
 if(!file_exists($dir)) {
  mkdir($dir, 0766, true);
  chmod($dir, 0766);
  chmod($dir, 0777);
 }
 else if(!is_writable($dir)) {
  chmod($dir, 0766);
  chmod($dir, 0777);
  if(!is_writable($dir)) {
   throw new FileSystemException("目录 $dir 不可写");
  }
 }
}

The code is basically annotated to make it easier for everyone to understand. Although PHP is used to process image uploads, if you understand the logical ideas processed by the program code when uploading, you can still use the ideas in .net or java. of.

The above is the entire analysis process of asynchronously uploading files using the JQuery plug-in ajaxFileUpload. I hope it will be helpful to everyone's learning.

www.bkjia.comtruehttp: //www.bkjia.com/PHPjc/1075084.htmlTechArticlePHP combines the jQuery plug-in ajaxFileUpload to implement asynchronous file upload examples. The most commonly used JQuery image upload plug-in is Uploadify. Plug-in, the effect is very good, but because the mobile phone does not...
Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
jquery实现多少秒后隐藏图片jquery实现多少秒后隐藏图片Apr 20, 2022 pm 05:33 PM

实现方法:1、用“$("img").delay(毫秒数).fadeOut()”语句,delay()设置延迟秒数;2、用“setTimeout(function(){ $("img").hide(); },毫秒值);”语句,通过定时器来延迟。

axios与jquery的区别是什么axios与jquery的区别是什么Apr 20, 2022 pm 06:18 PM

区别:1、axios是一个异步请求框架,用于封装底层的XMLHttpRequest,而jquery是一个JavaScript库,只是顺便封装了dom操作;2、axios是基于承诺对象的,可以用承诺对象中的方法,而jquery不基于承诺对象。

jquery怎么修改min-height样式jquery怎么修改min-height样式Apr 20, 2022 pm 12:19 PM

修改方法:1、用css()设置新样式,语法“$(元素).css("min-height","新值")”;2、用attr(),通过设置style属性来添加新样式,语法“$(元素).attr("style","min-height:新值")”。

jquery怎么在body中增加元素jquery怎么在body中增加元素Apr 22, 2022 am 11:13 AM

增加元素的方法:1、用append(),语法“$("body").append(新元素)”,可向body内部的末尾处增加元素;2、用prepend(),语法“$("body").prepend(新元素)”,可向body内部的开始处增加元素。

jquery中apply()方法怎么用jquery中apply()方法怎么用Apr 24, 2022 pm 05:35 PM

在jquery中,apply()方法用于改变this指向,使用另一个对象替换当前对象,是应用某一对象的一个方法,语法为“apply(thisobj,[argarray])”;参数argarray表示的是以数组的形式进行传递。

jquery怎么删除div内所有子元素jquery怎么删除div内所有子元素Apr 21, 2022 pm 07:08 PM

删除方法:1、用empty(),语法“$("div").empty();”,可删除所有子节点和内容;2、用children()和remove(),语法“$("div").children().remove();”,只删除子元素,不删除内容。

jquery怎么去掉只读属性jquery怎么去掉只读属性Apr 20, 2022 pm 07:55 PM

去掉方法:1、用“$(selector).removeAttr("readonly")”语句删除readonly属性;2、用“$(selector).attr("readonly",false)”将readonly属性的值设置为false。

jquery on()有几个参数jquery on()有几个参数Apr 21, 2022 am 11:29 AM

on()方法有4个参数:1、第一个参数不可省略,规定要从被选元素添加的一个或多个事件或命名空间;2、第二个参数可省略,规定元素的事件处理程序;3、第三个参数可省略,规定传递到函数的额外数据;4、第四个参数可省略,规定当事件发生时运行的函数。

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Tools

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

Atom editor mac version download

Atom editor mac version download

The most popular open source editor