一、图片上传所涉及到的问题

1、HTML页面中引入这么一段代码

    <div class="row">

        <div class="col-md-12">

            <form dropzone2  class="dropzone" enctype="multipart/form-data" method="post"></form>

        </div>

    </div>

2、 在指令中发送POST请求

关键代码例如以下

 var manage = angular.module('hubBrowseManageDirectives', []);

    manage.directive('dropzone2', function () {
return {
restrict: 'EA',
controller: ['$scope', '$element', '$attrs', '$timeout', function ($scope, $element, $attrs, $timeout) {
$element.dropzone({
url : "rest/components/"+$scope.component.name+"/"+$scope.component.version+"/images",
autoDiscover : false,
autoProcessQueue: true,
addRemoveLinks: true,
addViewLinks: true,
acceptedFiles: ".jpg,.png",
dictDefaultMessage: "upload head picture",
maxFiles : "1",
dictMaxFilesExceeded: "Only can upload one picture, repeat upload will be deleted!",
init: function () {
var mockFile = { name: "Filename",
size: 10000
};
this.emit("addedfile", mockFile);
mockFile._viewLink.href = "rest/components/"+$scope.component.name+"/"+$scope.component.version +"/"+$scope.component.image;
mockFile._viewLink.name = $scope.component.image;
this.emit("thumbnail", mockFile, "rest/components/"+$scope.component.name+"/"+$scope.component.version +"/"+$scope.component.image);
this.emit("complete", mockFile); $(".dz-view").colorbox({
rel:'dz-view',
width:"70%",
height:"80%"
}); this.on("error", function (file, message) {
alert(message);
this.removeFile(file);
});
this.on("success", function(file,imageInfo) { file._viewLink.href = imageInfo.newfile;
file._viewLink.name = imageInfo.newfile; $scope.$apply(function() {
$scope.component.image="rest/components/"+$scope.component.name+"/"+$scope.component.version+"/"+imageInfo.newfile;
}); });
this.on("removedfile", function(file) {
var removeFileUrl = file._viewLink.name; if($scope.component.image == removeFileUrl){
this.removeFile(file);
} }); }
}); }]
};
});

注意上述URL的请求方式,要在Angular模拟请求中放行。

格式例如以下:

var hubMock = angular.module('hubMock', ['ngMockE2E']);

    hubMock.run(['$httpBackend', '$http', function ($httpBackend, $http) {

        $httpBackend.whenGET(/\.html/).passThrough();
$httpBackend.whenGET(/\.json/).passThrough(); $httpBackend.whenPOST(/rest\/components\/.+\/.+\/images/).passThrough(); }]);

$httpBackend.whenPOST(/rest\/components\/.+\/.+\/images/).passThrough(); 放行图片上传发送是POST 请求。

3、处理上传图片的请求将其存储在本地

 @POST
@Path("/{componentName: \\w+}/{version: \\d\\.\\d\\.\\d}/images")
@Produces(MediaType.APPLICATION_JSON)
public Response uploadMyComponentImage(@Context HttpServletRequest request, @PathParam("componentName") String componentName,
@PathParam("version") String version) {
Map<String, String> infoMap = componentService.uploadMyComponentImage(request, componentName, version); return Response.ok(infoMap).build();
}

4、通过接口及事实上现类来处理图片上传的位置

  @Override
public Map<String, String> uploadMyComponentImage(HttpServletRequest request, String componentName, String version) { Map<String, String> infoMap = new HashMap<String, String>();
String url = null;
try {
url = application.getStorageLocation(File.separator + componentName + File.separator + version).getAbsolutePath();
} catch (IOException e1) {
e1.printStackTrace();
} DiskFileItemFactory factory = new DiskFileItemFactory();
ServletFileUpload upload = new ServletFileUpload(factory); try { Map<String, List<FileItem>> items = upload.parseParameterMap(request); for (Entry<String, List<FileItem>> entry : items.entrySet()) { String key = entry.getKey(); Iterator<FileItem> itr = items.get(key).iterator(); while (itr.hasNext()) { FileItem item = itr.next();
String newfileName = UUID.randomUUID().toString() + "-" + item.getName(); infoMap.put("newfile", "" + newfileName); File file = new File(url);
if (!file.exists()) {
file.mkdirs();
}
file = new File(url + File.separator + "img" + File.separator + newfileName);
item.write(file); }
} } catch (FileUploadException e) {
e.printStackTrace();
} catch (Exception e) {
e.printStackTrace();
} return infoMap;
}

在这里返回的是一个map, key是newfile,value是”” + newfileName,因此在上传成功后就能够取得图片的信息。例如以下演示样例 imageInfo.newfile;:

 this.on("success", function(file,imageInfo) {

                          file._viewLink.href = imageInfo.newfile;
file._viewLink.name = imageInfo.newfile; $scope.$apply(function() {
$scope.component.image="rest/components/"+$scope.component.name+"/"+$scope.component.version+"/"+imageInfo.newfile;
}); });

二、页面中的图片怎样进行回显?

1、现今的站点上图片上的获取方式主要是以Get请求的方式传回图片流到浏览器端,这里相同採用请求主动获取图片的方式。

页面回显时会主动发送请求:

“rest/components/”+scope.component.name+"/"+scope.component.version +”/”+$scope.component.image

真实请求路径是这种:

localhost:8080/xxxxxx/rest/components/2_component1/1.0.0/0c6684ad-84df-4e0e-8163-9e2d179814e6-Penguins.jpg

2、后台怎样接受请求,处理请求呢?

參见下面代码,返回到浏览器的实际上就是一个输出流。

关键代码演示样例

 /**
* get pictures OutputStream
*
* @param componentName
* @param version
* @return
*/
@GET
@Path("/{componentName: \\w+}/{version: \\d\\.\\d\\.\\d}/{imagePath: .+}")
@Produces(MediaType.APPLICATION_OCTET_STREAM)
public Response findImages(@PathParam("componentName") final String componentName, @PathParam("version") final String version,
@PathParam("imagePath") final String imagePath) {
StreamingOutput output = new StreamingOutput() { private BufferedInputStream bfis = null; public void write(OutputStream output) throws IOException, WebApplicationException { try {
String filePath = "";
//推断图片的请求路径是否长路径,这个依据需求而来的
if (imagePath.contains("/")) {
//取出图片
filePath = application.getStorageLocation(File.separator + componentName + File.separator + version) + File.separator + "img"
+ File.separator + imagePath.split("/")[imagePath.split("/").length - 1]; } else {
//取出图片
filePath = application.getStorageLocation(File.separator + componentName + File.separator + version) + File.separator + "img"
+ File.separator + imagePath; } bfis = new BufferedInputStream(new FileInputStream(filePath));
int read = 0;
byte[] bytes = new byte[1024];
while ((read = bfis.read(bytes)) != -1) {
output.write(bytes, 0, read);
} } catch (Exception e) {
e.printStackTrace();
} finally {
try {
if (bfis != null) {
bfis.close();
}
output.flush();
output.close();
} catch (Exception e2) {
e2.printStackTrace();
}
} } };
//返回给浏览器
return Response.ok(output, MediaType.APPLICATION_OCTET_STREAM).build(); }

3、当点击view时。又会去请求后台返回预览大图图像,这里使用了colorbox插件来进行大图像的预览和轮播显示。感觉非常酷的样子。

效果例如以下所看到的:

使用Dropzone上传图片及回显演示样例的更多相关文章

  1. 通过Canvas及File API缩放并上传图片完整演示样例

    创建一个只管的用户界面,并同意你控制图片的大小.上传到server端的数据,并不须要处理enctype为 multi-part/form-data 的情况.只一个简单的POST表单处理程序就能够了. ...

  2. 【UNIX网络编程(三)】TCP客户/server程序演示样例

    上一节给出了TCP网络编程的函数.这一节使用那些基本函数编写一个完毕的TCP客户/server程序演示样例. 该样例运行的过程例如以下: 1.客户从标准输入读入一行文本,并写给server. 2.se ...

  3. 移动端报表JS开发演示样例

    近期对移动端的报表开发颇有研究,细磨精算了好久,尽管到如今还是"囊中羞涩",但决定还是先抛砖引玉,拿点小干货出来和大家分享. 研究的工具是比較有代表性的FineReport. 1. ...

  4. Cocos2d-x 3.1.1 Lua演示样例 ActionEaseTest(动作)

    Cocos2d-x Lua演示样例 ActionEaseTest(动作)   本篇博客介绍Cocos2d-x中的动作,Cocos2d-x为我们提供了丰富的动作接口,以下笔者就具体介绍一下:   本系列 ...

  5. 最简单的视音频播放演示样例4:Direct3D播放RGB(通过Texture)

    ===================================================== 最简单的视音频播放演示样例系列文章列表: 最简单的视音频播放演示样例1:总述 最简单的视音频 ...

  6. RHEL5 X86-64上安装Oracle 11gR2演示样例与总结

    进入Oracle DBA行业也有好几年了,可是说到安装Oracle的经验,我还真不是特别多,印象中刚開始每次安装都有点磕磕碰碰,随着接触Oracle的时间越来越长,各方面的原理.机制也都有一定的了解后 ...

  7. java文件夹相关操作 演示样例代码

    java文件夹相关操作 演示样例代码 package org.rui.io; import java.io.File; import java.io.FilenameFilter; import ja ...

  8. 10分钟理解Android数据库的创建与使用(附具体解释和演示样例代码)

    1.Android数据库简单介绍. Android系统的framework层集成了Sqlite3数据库.我们知道Sqlite3是一种轻量级的高效存储的数据库. Sqlite数据库具有以下长处: (1) ...

  9. 01_MUI之Boilerplate中:HTML5演示样例,动态组件,自己定义字体演示样例,自己定义字体演示样例,图标字体演示样例

     1安装HBuilder5.0.0,安装后的界面截图例如以下: 2 依照https://www.muicss.com/docs/v1/css-js/boilerplate-html中的说明,创建上 ...

随机推荐

  1. 【POJ 2096】 Collecting Bugs

    [题目链接] http://poj.org/problem?id=2096 [算法] 概率DP [代码] #include <algorithm> #include <bitset& ...

  2. EOJ 3031 二进制倒置

    题目描述 给定一个整数 n(0≤n≤10100).将 n 的 334 位二进制表示形式(不包括开头可能的值为 0 的位,n=0 表示为 1 位 0)前后倒置,输出倒置后的二进制数对应的整数. 例如:n ...

  3. YCbCr to RGB and RGB toYCbCr

    RGB => YCbCr: Y = 0.299R + 0.587G + 0.114BCb = -0.1726R - 0.3388G + 0.5114B + 128Cr = 0.5114R - 0 ...

  4. [Offer收割]编程练习赛38

    漏写的数字 #pragma comment(linker, "/STACK:102400000,102400000") #include<stdio.h> #inclu ...

  5. TensorFlow-LSTM序列预测

    问题情境:已知某一天内到目前为止股票各个时刻的价格,预测接下来短时间内的价格变化. import tushare as ts import time from collections import n ...

  6. Android学习——利用RecyclerView编写聊天界面

    1.待会儿会用到RecyclerView,首先在app/build.gradle(注意有两个build.gradle,选择app下的那个)当中添加依赖库,如下: dependencies { comp ...

  7. PhotoZoom放大的图片效果怎么样?清不清晰?

    PhotoZoom是一款使用了革命性技术.效果最好的图像无损放大工具.它可以对图片进行放大而没有锯齿,不会失真,让您无与伦比完美放大图像质量. PhotoZoom Pro使用了S-Spline Max ...

  8. 动漫绘画软件优动漫PAINT最近所用文件

    在使用优动漫PAINT的时候有时候会遇到这样的问题,近期编辑的文件找不见了,或者想要接着之前的文件进行编辑,如何快速找到这些文件呢?其实在最近所用文件中一目了,本文我们一起来看看. 如果您想接着上次未 ...

  9. 【转】【Oracle 集群】ORACLE DATABASE 11G RAC 知识图文详细教程之集群概念介绍(一)

    原文地址:http://www.cnblogs.com/baiboy/p/orc1.html 阅读目录 目录 集群概念介绍 什么是集群 为什么搭建数据库集群 数据库集群的分类 可扩展的分布式数据库架构 ...

  10. vc++创建窗体

    //创建窗口,一般分为四步 /*1 WinMain函数的定义 2 创建一个窗口 3 编写消息循环 4 编写窗口过程函数*/ #include <windows.h> //包含windows ...