ASP.NET Core 2.0 and Angular 4.3 File Upload with progress

前端 未结 2 1335
温柔的废话
温柔的废话 2020-12-25 10:23

Using the new Angular 4.3 HttpClient, how can I upload and access files in an ASP.NET Core 2.0 Controller while reporting upload progress to the client?

相关标签:
2条回答
  • 2020-12-25 10:53

    Here is a working example to get started:

    HTML

    <input #file type="file" multiple (change)="upload(file.files)" />
    <span *ngIf="uploadProgress > 0 && uploadProgress < 100">
        {{uploadProgress}}%
    </span>
    

    TypeScript

    import { Component } from '@angular/core';
    import { HttpClient, HttpRequest, HttpEventType, HttpResponse } from '@angular/common/http'
    
    @Component({
        selector: 'files',
        templateUrl: './files.component.html',
    })
    export class FilesComponent {
        public uploadProgress: number;
    
        constructor(private http: HttpClient) { }
    
        upload(files) {
            if (files.length === 0)
                return;
    
            const formData = new FormData();
    
            for (let file of files)
                formData.append(file.name, file);
    
            const req = new HttpRequest('POST', `api/files`, formData, {
                reportProgress: true,
            });
    
            this.http.request(req).subscribe(event => {
                if (event.type === HttpEventType.UploadProgress)
                    this.uploadProgress = Math.round(100 * event.loaded / event.total);
                else if (event instanceof HttpResponse)
                    console.log('Files uploaded!');
            });
        }
    }
    

    Controller

    [HttpPost, DisableRequestSizeLimit, Route("api/files")]
    public async Task UploadFiles()
    {
        var files = Request.Form.Files; // now you have them
    }
    
    0 讨论(0)
  • 2020-12-25 10:56

    You could use the interface Microsoft.AspNetCore.Http.IFormFile that represents a file sent with the HttpRequest to simplify the access to file.

    [HttpPost, DisableRequestSizeLimit, Route("api/files")]
    public async Task UploadFiles(IFormFile file){
        //your file stream
        var stream = file.OpenReadStream();
    }
    
    0 讨论(0)
提交回复
热议问题