How can I help you?
Asynchronous file upload in Angular Uploader component
26 Feb 202624 minutes to read
The Uploader component supports asynchronous file uploads to the server.
The upload process requires save and remove action URLs to manage file operations on the server.
* The save action is necessary to handle the upload operation.
* The remove action is optional, one can handle the removed files from server.
The File can be upload automatically or manually. For more information, you can refer to the Auto Upload section from the documentation.
Multiple file upload
By default, the Uploader component allows you to select and upload multiple files simultaneously.
The selected files are displayed in a list and persist until you clear them by clicking the clear button in the footer. The multiple attribute is added to the input element to enable multiple file selection. The following example demonstrates multiple file upload configuration.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save',
removeUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Remove' };
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Single file upload
You can select and upload a single file by disabling the multiple file selection property.
When single file upload is enabled, the previously selected file is replaced with each new selection, ensuring only one file exists in the list.
The multiple attribute is removed from the input element to restrict file selection to a single file.
The following example demonstrates single file upload configuration.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path' multiple = 'false'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save',
removeUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Remove' };
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Save action
The save action handler processes file uploads specified in the saveUrl property.
The save handler receives submitted files and manages the save operation on the server.
After successfully uploading files to the server, the file name text color changes to green and the remove icon changes to a delete icon.
- When a file uploads successfully, the
successevent is triggered to handle post-upload operations. - When a file fails to upload, the
failureevent is triggered with details about the error.
You can cancel the upload process by setting the cancel property of the event argument to true.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save' };
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Server-side configuration for save action
Here’s how to handle the server-side action for saving the file in server.
public async Task<IActionResult> Save(IFormFile UploadFiles)
{
if (UploadFiles.Length > 0)
{
if (!Directory.Exists(uploads)) // Create the directory if not exists
{
Directory.CreateDirectory(uploads);
}
var filePath = Path.Combine(uploads, UploadFiles.FileName); // Get the file path
using (var fileStream = new FileStream(filePath, FileMode.Create)) // Create the file
{
await UploadFiles.CopyToAsync(fileStream); // Save the file
}
}
return Ok();
}Server-side configuration for saving and returning responses
The following example demonstrates the server-side action for saving files on the server and returning responses in JSON, String, and File formats.
[AcceptVerbs("Post")]
public IActionResult Save()
{
// for JSON Data
try
{
// Process uploaded data
var responseData = new
{
Success = true,
Message = "Files uploaded successfully",
// Additional data can be added here
};
return Json(responseData);
}
catch (Exception e)
{
var errorResponse = new
{
Success = false,
Message = "File upload failed: " + e.Message
};
return Json(errorResponse);
}
// for String Data
try
{
// Process string data
var data = "success";
// Return the string data
return Content(data);
}
catch (Exception)
{
var data = "failed";
return Content(data);
}
// for File Data
try
{
// Example: Retrieve file path for stream.txt
var filePath = "stream.txt"; // Example file path
// Get full file path
var fullPath = Path.GetFullPath(filePath);
// Return the file
return PhysicalFile(fullPath, "text/plain");
}
catch (Exception e)
{
// Handle file retrieval failure
return Content("Failed to retrieve file response: " + e.Message, "text/plain");
}
}Client-side configuration for saving and returning responses
The following example demonstrates the client-side action for saving files on the server and returning responses in JSON, String, and File formats.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
import { SuccessEventArgs } from '@syncfusion/ej2-inputs';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path' (success)='onSuccessHandler($event)'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: '/api/FileUploader/Save' };
constructor() {
}
public onSuccessHandler(args: SuccessEventArgs) {
if (args.e !== null) // Check if the event argument is not null
{
const responseText: string = args.e.target.responseText;
if (responseText.trim() !== "") {
// for JSON and File Datas
var jsonResponse = JSON.parse(responseText);
if (jsonResponse !== null && jsonResponse.hasOwnProperty("Success"))
{
var isSuccess = jsonResponse["Success"];
if (isSuccess) {
// File upload success
const message: string = jsonResponse.hasOwnProperty("Message") ? jsonResponse["Message"] : "File uploaded successfully";
// Additional processing as needed
}
}
// for string Data
const message: string = responseText;
// Additional processing as needed
}
}
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Remove action
The remove action is optional. Specify the URL to handle the removal of files from the server. The remove handler receives file information and processes the deletion operation on the server.
- When files are successfully removed from the server, the
successevent is triggered to confirm the operation is complete. - When a remove operation fails, the
failureevent is triggered with details about the error.
You can differentiate between save and remove operations by checking the
operationproperty in thesuccessorfailureevent arguments.
You can remove files that have not been uploaded to the server by clicking the remove icon.
In this case, the success or failure events are not triggered.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save',
removeUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Remove' };
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Server-side configuration for remove action
To remove an uploaded file from the server, it is sufficient to send only the file name. You can achieve this by setting the postRawFile property of the RemovingEventArgs to false during the removing event. This ensures that only the file name is sent to the server in the Remove action.
Here is an example:
<ejs-uploader [asyncSettings]='path' (removing)='onFileRemove($event)'></ejs-uploader>public onFileRemove(args: RemovingEventArgs): void {
args.postRawFile = false;
}Here’s how to handle the server-side action for removing the file from server.
public void Remove(string UploadFiles)
{
if (UploadFiles != null)
{
var filePath = Path.Combine(uploads, UploadFiles);
if (System.IO.File.Exists(filePath))
{
System.IO.File.Delete(filePath); // Delete the file
}
}
}When postRawFile is enabled, the complete file data will be sent to the server-side Remove action. The postRawFile option is enabled by default.
Here is an example:
<ejs-uploader [asyncSettings]='path' (removing)='onFileRemove($event)'></ejs-uploader>public onFileRemove(args: RemovingEventArgs): void {
// The `postRawFile` option is enabled by default.
}Here’s how to receive the file data in the server-side Remove action:
public void Remove(IFormFile UploadFiles)
{
// Your file removal logic goes here!
}Auto upload
By default, the uploader processes the files to upload once the files are selected and added in upload queue.
To upload manually, disable the autoUpload property.
When you disable this property, you can use the action buttons to call upload all or clear all actions manually.
You can change those buttons text using the buttons property in the Uploader component.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path' autoUpload='false'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save',
removeUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Remove' };
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Sequential Upload
By default, the uploader component process multiple files to upload simultaneously. When you enable the sequentialUpload property, the selected files will process sequentially (one after the other) to the server. If the file uploaded successfully or failed, the next file will upload automatically in this sequential upload. This feature helps to reduce the upload traffic and reduce the failure of file upload.
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path' sequentialUpload='true'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save',
removeUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Remove' };
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Preloaded files
The uploader component allows you to preloaded the list of files that are uploaded in the server.
The preloaded files are useful to view and remove the files from server that can be achieved by the files property.
By default, the files are configured with uploaded successfully state on rendering file list.
The following properties are mandatory to configure the preloaded files:
* Name
* Size
* Type
import { NgModule } from '@angular/core'
import { BrowserModule } from '@angular/platform-browser'
import { UploaderModule } from '@syncfusion/ej2-angular-inputs'
import { Component } from '@angular/core';
@Component({
imports: [
UploaderModule
],
standalone: true,
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path' [files]='preLoadFiles'></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Save',
removeUrl: 'https://services.syncfusion.com/angular/production/api/FileUploader/Remove' };
public preLoadFiles: Object[] = [
{name: 'Books', size: 500, type: '.png'},
{name: 'Movies', size: 12000, type: '.pdf'},
{name: 'Study materials', size: 500000, type: '.docx'},
]
constructor() {
}
}import { bootstrapApplication } from '@angular/platform-browser';
import { AppComponent } from './app.component';
import 'zone.js';
bootstrapApplication(AppComponent).catch((err) => console.error(err));Adding additional HTTP headers with upload action
The Uploader component allows you to add the additional headers with save and remove action request using uploading and removing event, which helps to send validation token on file upload. Access the current request and set the request header within these events.
The following code block shows how to add the additional headers with save and remove action request.
import { Component } from '@angular/core';
@Component({
selector: 'app-root',
template: `
<ejs-uploader #defaultupload [asyncSettings]='path' autoUpload='false' (uploading) = "addHeaders($event)" (removing) = "addHeaders($event)"></ejs-uploader>
`
})
export class AppComponent {
public path: Object = {
saveUrl: 'https://ej2.syncfusion.com/services/api/uploadbox/Save',
removeUrl: 'https://ej2.syncfusion.com/services/api/uploadbox/Remove' };
constructor() {
}
public addHeaders(args: any) {
args.currentRequest.setRequestHeader('custom-header', 'Syncfusion');
}
}You can also explore Angular File Upload feature tour page for its groundbreaking features. You can also explore our Angular File Upload example to understand how to browse the files which you want to upload to the server.
See Also
- How to add additional data on upload
- How to add confirm dialog to remove the files
- Check the MIME type of file before uploading it
- How to open and edit the uploaded files
NOTE