欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

程序员文章站 2023-11-22 11:32:58
前言 前面我们讲过利用angularjs上传到webapi中进行处理,同时我们在mvc系列中讲过文件上传,本文结合mvc+webapi来进行文件的同步或者异步上传,顺便回...

前言
前面我们讲过利用angularjs上传到webapi中进行处理,同时我们在mvc系列中讲过文件上传,本文结合mvc+webapi来进行文件的同步或者异步上传,顺便回顾下css和js,mvc作为客户端,而webapi利用不依赖于iis的selfhost模式作为服务端来接收客户端的文件且其过程用ajax来实现,下面我们一起来看看。

同步上传

多余的话不用讲,我们直接看页面。

<div class="container">
 <div>
  @if (viewbag.success != null)
  {
   <div class="alert alert-danger" role="alert">
    <strong>成功啦 !</strong> 成功上传. <a href="@viewbag.success" target="_blank">open file</a>
   </div>
  }
  else if (viewbag.failed != null)
  {
   <div class="alert alert-danger" role="alert">
    <strong>失败啦 !</strong> @viewbag.failed
   </div>
  }
 </div>
 @using (html.beginform("syncupload", "home", formmethod.post, new { role = "form", enctype = "multipart/form-data", @style = "margin-top:50px;" }))
 {
  <div class="form-group">
   <input type="file" id="file" name="file" />
  </div>
  <input type="submit" value="submit" class="btn btn-primary" />
 }
</div>

上述我们直接上传后通过上传的状态来显示查看上传文件路径并访问,就是这么简单。下面我们来mvc后台逻辑

  [httppost]
  public actionresult syncupload(httppostedfilebase file)
  {
   using (var client = new httpclient())
   {
    using (var content = new multipartformdatacontent())
    {
     byte[] bytes = new byte[file.inputstream.length + 1];
     file.inputstream.read(bytes, 0, bytes.length);
     var filecontent = new bytearraycontent(bytes);
            //设置请求头中的附件为文件名称,以便在webapi中进行获取
     filecontent.headers.contentdisposition = new system.net.http.headers.contentdispositionheadervalue("attachment") { filename = file.filename };
     content.add(filecontent);
     var requesturi = "http://localhost:8084/api/upload/post";
     var result = client.postasync(requesturi, content).result;
     if (result.statuscode == system.net.httpstatuscode.created)
     {
              //获取到上传文件地址,并渲染到视图中进行访问
      var m = result.content.readasstringasync().result;
      var list = jsonconvert.deserializeobject<list<string>>(m);
      viewbag.success = list.firstordefault();

     }
     else
     {
      viewbag.failed = "上传失败啦,状态码:" + result.statuscode + ",原因:" + result.reasonphrase + ",错误信息:" + result.content.tostring();
     }
    }
   }
   return view();
  }

注意:上述将获取到文件字节流数组需要传递给 multipartformdatacontent ,要不然传递到webapi时会获取不到文件数据。

到这里为止在mvc中操作就已经完毕,此时我们来看看在webapi中需要完成哪些操作。

(1)首先肯定需要判断上传的数据是否是mimetype类型。

 if (!request.content.ismimemultipartcontent())
 {
  throw new httpresponseexception(httpstatuscode.unsupportedmediatype);
 }

(2)我们肯定是需要重新生成一个文件名称以免重复,利用guid或者date或者其他。

 string name = item.headers.contentdisposition.filename.replace("\"", "");
 string newfilename = guid.newguid().tostring("n") + path.getextension(name);

(3)我们需要利用此类 multipartfilestreamprovider 设置上传路径并将文件写入到这个里面。

 var provider = new multipartfilestreamprovider(rootpath);
 var task = request.content.readasmultipartasync(provider).....

(4) 返回上传文件地址。

  return request.createresponse(httpstatuscode.created, jsonconvert.serializeobject(savedfilepath));
分步骤解析了这么多,组装代码如下:

  public task<httpresponsemessage> post()
  {
   list<string> savedfilepath = new list<string>();
   if (!request.content.ismimemultipartcontent())
   {
    throw new httpresponseexception(httpstatuscode.unsupportedmediatype);
   }
   var substringbin = appdomain.currentdomain.basedirectory.indexof("bin");
   var path = appdomain.currentdomain.basedirectory.substring(0, substringbin);
   string rootpath = path + "upload";
   var provider = new multipartfilestreamprovider(rootpath);
   var task = request.content.readasmultipartasync(provider).
    continuewith<httpresponsemessage>(t =>
    {
     if (t.iscanceled || t.isfaulted)
     {
      request.createerrorresponse(httpstatuscode.internalservererror, t.exception);
     }
     foreach (multipartfiledata item in provider.filedata)
     {
      try
      {
       string name = item.headers.contentdisposition.filename.replace("\"", "");
       string newfilename = guid.newguid().tostring("n") + path.getextension(name);
       file.move(item.localfilename, path.combine(rootpath, newfilename));
                 //request.requesturi.pathandqury为需要去掉域名的后面地址
                 //如上述请求为http://localhost:80824/api/upload/post,这就为api/upload/post
                 //request.requesturi.absoluteuri则为http://localhost:8084/api/upload/post
       uri baseuri = new uri(request.requesturi.absoluteuri.replace(request.requesturi.pathandquery, string.empty));
       string filerelativepath = rootpath +"\\"+ newfilename;
       uri filefullpath = new uri(baseuri, filerelativepath);
       savedfilepath.add(filefullpath.tostring());
      }
      catch (exception ex)
      {
       string message = ex.message;
      }
     }

     return request.createresponse(httpstatuscode.created, jsonconvert.serializeobject(savedfilepath));
    });
   return task;
  }

注意:上述item.localfilename为 e:\documents\visual studio 2013\projects\webapireturnhtml\webapireturnhtml\upload\bodypart_fa01ff79-4a5b-40f6-887f-ab514ec6636f ,因为此时我们重新命名了文件名称,所以需要将该文件移动到我们重新命名的文件地址。

整个过程就是这么简单,下面我们来看看演示结果。

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

此时居然出错了,有点耐人寻味,在服务端是返回如下的json字符串

复制代码 代码如下:
list<string> savedfilepath = new list<string>();

此时进行反序列化时居然出错,再来看看页面上的错误信息:

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

无法将字符串转换为list<string>,这不是一一对应的么,好吧,我来看看返回的字符串到底是怎样的,【当将鼠标放上去】时查看的如下:

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

【当将点击查看】时结果如下:

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

由上知点击查看按钮时返回的才是正确的json,到了这里我们发现json.net序列化时也是有问题的,于是乎在进行反序列化时将返回的字符串需要进行一下处理转换成正确的json字符串来再来进行反序列化,修改如下:     

  var m = result.content.readasstringasync().result;
      m = m.trimstart('\"');
      m = m.trimend('\"');
      m = m.replace("\\", "");
      var list = jsonconvert.deserializeobject<list<string>>(m);

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

最终在页面显示如下:

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

到这里我们的同步上传告一段落了,这里面利用json.net进行反序列化时居然出错问题,第一次遇到json.net反序列化时的问题,比较奇葩,费解。

异步上传

所谓的异步上传不过是利用ajax进行上传,这里也就是为了复习下脚本或者razor视图,下面的内容只是将视图进行了修改而已,对于异步上传我利用了jquery.form.js中的异步api,请看如下代码:

<script src="~/scripts/jquery-1.10.2.min.js"></script>
<script src="~/scripts/jquery.form.js"></script>
<script src="~/scripts/bootstrap.min.js"></script>
<link href="~/content/bootstrap.min.css" rel="stylesheet" />

<div class="container" style="margin-top:30px">
 <div id="success" style="display:none;">
  <div class="alert alert-danger" role="alert">
   <strong>上传成功</strong><span style="margin-right:50px;"></span><a href="" target="_blank" id="linkaddr">文件访问地址</a>
  </div>
 </div>

 <div id="fail" style="display:none;">
  <div class="alert alert-danger" role="alert">
   <strong>上传失败</strong>
  </div>
 </div>

</div>
@using (ajax.beginform("asyncupload", "home", new ajaxoptions() { httpmethod = "post" }, new { enctype = "multipart/form-data",@style="margin-top:10px;" }))
{
 <div class="form-group">
  <input type="file" name="file" id="fu1" />
 </div>
 <div class="form-group">
  <input type="submit" class="btn btn-primary" value="上传" />
 </div>

}


<div class="form-group">
 <div class="progress" id="progress" style="display:none;">
  <div class="progress-bar">0%</div>
 </div>
 <div id="status"></div>
</div>


<style>
 .progress {
  position: relative;
  width: 400px;
  border: 1px solid #ddd;
  padding: 1px;
 }

 .progress-bar {
  width: 0px;
  height: 40px;
  background-color: #57be65;
 }
</style>

<script>
 (function () {
  var bar = $('.progress-bar');
  var percent = $('.progress-bar');
  $('form').ajaxform({
   beforesend: function () {
    $("#progress").show();
    var percentvalue = '0%';
    bar.width(percentvalue);
    percent.html(percentvalue);
   },
   uploadprogress: function (event, position, total, percentcomplete) {
    var percentvalue = percentcomplete + '%';
    bar.width(percentvalue);
    percent.html(percentvalue);
   },
   success: function (d) {
    var percentvalue = '100%';
    bar.width(percentvalue);
    percent.html(percentvalue);
    $('#fu1').val('');
   },
   complete: function (xhr) {
    if (xhr.responsetext != null) {
     $("#linkaddr").prop("href", xhr.responsetext);
     $("#success").show();
    }
    else {
     $("#fail").show();
    }
   }
  });
 })();
</script>

我们截图看下其中上传过程

上传中:

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

上传完成:

ASP.NET WebAPi(selfhost)实现文件同步或异步上传

当然这里的100%不过是针对小文件的实时上传,如果是大文件肯定不是实时的,利用其它组件来实现更加合适,这里我只是学习学习仅此而已。

注意:这里还需重申一遍,之前在mvc上传已经叙述过,mvc默认的上传文件是有限制的,所以超过其限制,则无法上传,需要进行如下设置

(1)在iis 5和iis 6中,默认文件上传的最大为4兆,当上传的文件大小超过4兆时,则会得到错误信息,但是我们通过如下来设置文件大小。

<system.web>
 <httpruntime maxrequestlength="2147483647" executiontimeout="100000" />
</system.web>

(2)在iis 7+,默认文件上传的最大为28.6兆,当超过其默认设置大小,同样会得到错误信息,但是我们却可以通过如下来设置文件上传大小(同时也要进行如上设置)。

<system.webserver>
 <security>
  <requestfiltering>
   <requestlimits maxallowedcontentlength="2147483647" />
  </requestfiltering>
 </security>
</system.webserver>

总结

本节我们学习了如何将mvc和webapi隔离开来来进行上传,同时我们也发现在反序列化时json.net有一定问题,特此记录下,当发现一一对应时反序列化返回的json字符串不是标准的json字符串,我们对返回的json字符串需要作出如下处理才行(也许还有其他方案)。               

var jsonstring = "返回的json字符串";
jsonstring = jsonstring.trimstart('\"');
jsonstring = jsonstring.trimend('\"');
jsonstring = jsonstring.replace("\\", "");

接下来会准备系统学习下sql server和oracle,循序渐进,你说呢!休息,休息!

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。