10

在我的 ASP.NET Core 后端,我有一个如下所示的控制器函数:

[HttpPost]
[Route("documents/upload")]
public async Task<IActionResult> UploadFile(ICollection<IFormFile> files)
{
   ...
}

在我的前端,我这样调用函数:

var postSettings = {
    method: 'POST',
    credentials: 'include',
    mode: 'cors'
}
uploadDocuments( files ) {
    var data = new FormData();
    data.append('files', files);   
    postSettings.body = data;

    return fetch(endPoint + '/documents/upload', postSettings);
}

如果 "files" 是单个文件——不是一个包含一个文件的数组,而是一个 File 对象——UploadFile则使用ICollection<IFormFile>包含单个文件的 an 来调用。

如果 "files" 是文件列表,UploadFile则使用空的ICollection<IFormFile>.

如何提交文件列表以使其可以被解析为ICollection<IFormFile>

4

1 回答 1

15

参考一次上传多个文件 - 使用 Fetch

uploadDocuments(endPoint, files) {
    var postSettings = {
        method: 'POST',
        credentials: 'include',
        mode: 'cors'
    };
    var data = new FormData();
    if(files.length > 0) {
        for(var x = 0; x < files.length; x++) {
            // the name has to be 'files' so that .NET could properly bind it
            data.append('files', files.item(x));    
        }
    } 
    postSettings.body = data;

    return fetch(endPoint + '/documents/upload', postSettings);
}

参考使用模型绑定上传小文件

当使用模型绑定和IFormFile 接口上传文件时,action 方法可以接受一个IFormFile或一个IEnumerable<IFormFile>(或List<IFormFile>)表示多个文件。以下示例循环遍历一个或多个上传文件,将其保存到本地文件系统,并返回上传文件的总数和大小。

[HttpPost]
[Route("documents/upload")]
public async Task<IActionResult> Post(List<IFormFile> files)
{
    long size = files.Sum(f => f.Length);

    // full path to file in temp location
    var filePath = Path.GetTempFileName();

    foreach (var formFile in files)
    {
        if (formFile.Length > 0)
        {
            using (var stream = new FileStream(filePath, FileMode.Create))
            {
                await formFile.CopyToAsync(stream);
            }
        }
    }

    // process uploaded files
    // Don't rely on or trust the FileName property without validation.

    return Ok(new { count = files.Count, size, filePath});
}
于 2017-04-20T08:43:47.320 回答