Classes : ProcessExcelFiles.cs
ProcessCsvFiles.cs
Interface : IFileUploadContentProcess.cs
Purpose of this two classes are process uploaded xlsx file or csv file.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public interface IFileUploadContentProcess | |
{ | |
IEnumerable<StoreOrder> ProcessUploads(IFormFile file); | |
} | |
public class ProcessExcelFiles : IFileUploadContentProcess | |
{ | |
public IEnumerable<StoreOrder> ProcessUploads(IFormFile file) | |
{ | |
throw new NotImplementedException(); | |
} | |
} | |
public class ProcessCsvFiles : IFileUploadContentProcess | |
{ | |
public IEnumerable<StoreOrder> ProcessUploads(IFormFile file) | |
{ | |
throw new NotImplementedException(); | |
} | |
} |
Then use a lambda function to parameterize interfaces to implementation register.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public void ConfigureServices(IServiceCollection services) | |
{ | |
services.AddControllers(); | |
services.AddTransient<IStoreOrderService, StoreOrderService>(); | |
services.AddTransient<ProcessExcelFiles>(); | |
services.AddTransient<ProcessCsvFiles>(); | |
// Add resolvers for different sources here | |
services.AddTransient<Func<string, IFileUploadContentProcess>>(serviceProvider => key => | |
{ | |
return key switch | |
{ | |
"xlsx" => serviceProvider.GetService<ProcessExcelFiles>(), | |
_ => serviceProvider.GetService<ProcessCsvFiles>(), | |
}; | |
}); | |
} |
How to use:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
public class StoreOrderService : IStoreOrderService | |
{ | |
private readonly Func<string, IFileUploadContentProcess> _fileUploadContentProcess; | |
public StoreOrderService(Func<string, IFileUploadContentProcess> fileUploadContentProcess) | |
{ | |
_fileUploadContentProcess = fileUploadContentProcess; | |
} | |
public async Task<IEnumerable<StoreOrder>> UploadStoreOrdersAsync(IFormFile file) | |
{ | |
//// passing csv to process csv type(default), if xlsx, pass xlsx | |
var records = _fileUploadContentProcess("csv").ProcessUploads(file); | |
return records; | |
} | |
} |