我正在使用playframework来构建一个网站。我还使用了一个名为xheditor的丰富编辑器。
Xheditor支持ajax-fileuploading,它需要服务器端有一个动作接受包含上传文件的“filedata”参数。
所以我写了一个上传动作:
public class Application extends Controller {
public static void upload(File filedata) {
// the filedata should not be null
renderText("{'err':'', 'msg':{'ur':'/uploaded/xxx.zip'}}");
}
}
它在IE6中工作正常,filedata不为null并包含正确的数据。但是,如果我使用chrome或firefox,则filedata为 null !!
我使用firebug来监控萤火虫提交的内容,并发现它提交了这样的标题:
content-disposition
attachment; name="filedata"; filename="051111twdns.zip"
我认为Play没有正确处理这种情况,所以参数“filedata”为空。
为了使用chrome和firefox,我修改了这个动作:
public class Application extends Controller {
public static void upload(File filedata) {
if(filedata!=null) {
// ok, it's IE6
renderText("{'err':'', 'msg':{'ur':'/uploaded/xxx.zip'}}");
} else {
// it's chrome or firefox, the data is in request.body
File targetFile = new File("upload/test.zip");
IOUtils.copy(request.body, new FileOutputStream(targetFile));
}
}
}
仅在上传文件非常小的情况下,现在在IE6,chrome和firefox中工作,但。例如。小于4K。如果它稍大一些,例如12K,方法“IOUtils.copy”将报告“读取错误!”,即使以下代码也会报告此类错误:
request.body.available()
request.body.read()
request.body.read(bytes)
答案 0 :(得分:1)
尝试将您的网站与文件上传器集成,文件上传器包含不同语言的文档/示例 www.uploadify.com /
答案 1 :(得分:0)
您应该查看play.data.parsing.ApacheMultipartParser类,它管理从HTTP请求中提取文件附件。
getFieldName获取字段搜索标题“content-disposition”和“form-data”的名称。在你的情况下,它不存在。
private String getFieldName(Map /* String, String */ headers) {
String fieldName = null;
String cd = getHeader(headers, CONTENT_DISPOSITION);
if (cd != null && cd.toLowerCase().startsWith(FORM_DATA)) {
ParameterParser parser = new ParameterParser();
parser.setLowerCaseNames(true);
// Parameter parser can handle null input
Map params = parser.parse(cd, ';');
fieldName = (String) params.get("name");
if (fieldName != null) {
fieldName = fieldName.trim();
}
}
return fieldName;
}
在getFileName中,它搜索标题“content-disposition”,然后搜索“form-data”或“attachment”以获取文件名。
private String getFileName(Map /* String, String */ headers) {
String fileName = null;
String cd = getHeader(headers, CONTENT_DISPOSITION);
if (cd != null) {
String cdl = cd.toLowerCase();
if (cdl.startsWith(FORM_DATA) || cdl.startsWith(ATTACHMENT)) {
ParameterParser parser = new ParameterParser();
parser.setLowerCaseNames(true);
// Parameter parser can handle null input
Map params = parser.parse(cd, ';');
if (params.containsKey("filename")) {
fileName = (String) params.get("filename");
if (fileName != null) {
fileName = fileName.trim();
// IE7 returning fullpath name (#300920)
if (fileName.indexOf('\\') != -1) {
fileName = fileName.substring(fileName.lastIndexOf('\\') + 1);
}
} else {
// Even if there is no value, the parameter is present,
// so we return an empty file name rather than no file
// name.
fileName = "";
}
}
}
}
return fileName;
}
显然,在你的情况下,这段代码会找到文件名而不是字段名,所以这就是你在控制器中将filedata字段设置为null的原因。
为什么它适用于IE6? (因为它从来没有真正的标准,做其他人不再做的事情??? :))
有关信息,在Crud模块中,fileField.html声明文件上载如下:
<input id="${field.id}" class="${field.errorClass}" type="file" name="${field.name}" />
问候