asp.net core 블록 업로드 파일 예제

7719 단어 asp.netcore업로드
asp.net 다 중 파일 을 쓰 고 업로드 한 후에 도 이러한 업로드 에 많은 결함 이 있 음 을 느 꼈 습 니 다.그래서...(만 자 를 생략 하고 쓸데없는 말 을 하지 않다.여기 서 저 는 전통 적 인 asp.net 을 사용 하지 않 고 오픈 소스 의 asp.net core 를 선 택 했 습 니 다.이 유 는 간단 합 니 다.net core 는.net 의 새로운 시작 이 고.net 과.net 개발 자의 미래 입 니 다.net 의 발전 이 점점 좋아 지 기 를 바 랍 니 다.ˇ∀ˇ●))。
1.전단 의 실현:
1).html: 

<html>
<head>
  <meta name="viewport" content="width=device-width" />
  <title>Index</title>
  <link href="/lib/bootstrap/dist/css/bootstrap.css" rel="external nofollow" rel="stylesheet" />
  <script src="/lib/jquery/dist/jquery.js"></script>
  <script src="/lib/bootstrap/dist/js/bootstrap.js"></script>
  <script src="/js/UploadJs.js"></script>
</head>
<body>
  <div class="row" style="margin-top:20%">
    <div class="col-lg-4"></div>
    <div class="col-lg-4">
      <input type="text" value="     " size="20" name="upfile" id="upfile" style="border:1px dotted #ccc">
      <input type="button" value="  " onclick="path.click()" style="border:1px solid #ccc;background:#fff">
      <input type="file" id="path" style="display:none" multiple="multiple" onchange="upfile.value=this.value">
      <br />
      <span id="output">0%</span>
      <button type="button" id="file" onclick="UploadStart()" style="border:1px solid #ccc;background:#fff">    </button>
    </div>
    <div class="col-lg-4"></div>
  </div>
</body>
</html>
2).javascript:

var UploadPath = "";
//    
function UploadStart() {
  var file = $("#path")[0].files[0];
  AjaxFile(file, 0);
}
function AjaxFile(file, i) {
  var name = file.name, //   
  size = file.size, //   shardSize = 2 * 1024 * 1024, 
  shardSize = 2 * 1024 * 1024,// 2MB     
  shardCount = Math.ceil(size / shardSize); //   
  if (i >= shardCount) {
    return;
  }
  //             
  var start = i * shardSize,
  end = Math.min(size, start + shardSize);
  //      ,FormData HTML5   
  var form = new FormData();
  form.append("data", file.slice(start, end)); //slice            
  form.append("lastModified", file.lastModified);
  form.append("fileName", name);
  form.append("total", shardCount); //   
  form.append("index", i + 1); //      
  UploadPath = file.lastModified
  //Ajax    
  $.ajax({
    url: "/Upload/UploadFile",
    type: "POST",
    data: form,
    async: true, //  
    processData: false, //   ,  jquery   form    
    contentType: false, //   ,   false       Content-Type
    success: function (result) {
      if (result != null) {
        i = result.number++;
        var num = Math.ceil(i * 100 / shardCount);
        $("#output").text(num + '%');
        AjaxFile(file, i);
        if (result.mergeOk) {
          var filepath = $("#path");
          filepath.after(filepath.clone().val(""));
          filepath.remove();//  input file
          $('#upfile').val('     ');
          alert("success!!!");
        }
      }
    }
  });
}
html 5 File api 의 slice 방법 으로 파일 을 블록 으로 나 눈 다음 new FormData()대상 은 파일 데 이 터 를 저장 하 는 데 사 용 됩 니 다.그 다음 에 업로드 가 끝 날 때 까지 Ajax File 방법 을 재 귀적 으로 호출 하 는 것 입 니 다.
2.백 스테이지 C\#:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using Microsoft.AspNetCore.Mvc;
using System.IO;

// For more information on enabling MVC for empty projects, visit http://go.microsoft.com/fwlink/?LinkID=397860

namespace DotNet.Upload.Controllers
{
  public class UploadController : Controller
  {
    // GET: /<controller>/
    public IActionResult Index()
    {
      return View();
    }

    [HttpPost]
    public async Task<ActionResult> UploadFile()
    {
      var data = Request.Form.Files["data"];
      string lastModified = Request.Form["lastModified"].ToString();
      var total = Request.Form["total"];
      var fileName = Request.Form["fileName"];
      var index = Request.Form["index"];

      string temporary = Path.Combine(@"E:\   ", lastModified);//         
      try
      {
        if (!Directory.Exists(temporary))
          Directory.CreateDirectory(temporary);
        string filePath = Path.Combine(temporary, index.ToString());
        if (!Convert.IsDBNull(data))
        {
          await Task.Run(() => {
            FileStream fs = new FileStream(filePath, FileMode.Create);
            data.CopyTo(fs);
          });
        }
        bool mergeOk = false;
        if (total == index)
        {
          mergeOk = await FileMerge(lastModified, fileName);
        }

        Dictionary<string, object> result = new Dictionary<string, object>();
        result.Add("number", index);
        result.Add("mergeOk", mergeOk);
        return Json(result);

      }
      catch (Exception ex)
      {
        Directory.Delete(temporary);//     
        throw ex;
      }
    }

    public async Task<bool> FileMerge(string lastModified,string fileName)
    {
      bool ok = false;
      try
      {
        var temporary = Path.Combine(@"E:\   ", lastModified);//     
        fileName = Request.Form["fileName"];//   
        string fileExt = Path.GetExtension(fileName);//      
        var files = Directory.GetFiles(temporary);//         
        var finalPath = Path.Combine(@"E:\   ", DateTime.Now.ToString("yyMMddHHmmss") + fileExt);//      (demo              ,          )
        var fs = new FileStream(finalPath, FileMode.Create);
        foreach (var part in files.OrderBy(x => x.Length).ThenBy(x => x))//    ,   0-N Write
        {
          var bytes = System.IO.File.ReadAllBytes(part);
          await fs.WriteAsync(bytes, 0, bytes.Length);
          bytes = null;
          System.IO.File.Delete(part);//    
        }
        fs.Close();
        Directory.Delete(temporary);//     
        ok = true;
      }
      catch (Exception ex)
      {
        throw ex;
      }
      return ok;
    }

  }
}


블록 마다 있 는 파일 을 임시 폴 더 에 저장 하고 마지막 으로 FileStream 을 통 해 이 임시 파일 들 을 통합 하 는 것 이 생각 입 니 다.백 스테이지 방법 은 모두 비동기 화(async await 정말 좋 습 니 다)되 었 습 니 다.효율 이 향상 되 었 는 지 는 모 르 겠 지만 멋 있 습 니 다.
원본 다운로드:DotNet_jb51.rar
이상 이 바로 본 고의 모든 내용 입 니 다.여러분 의 학습 에 도움 이 되 고 저 희 를 많이 응원 해 주 셨 으 면 좋 겠 습 니 다.

좋은 웹페이지 즐겨찾기