我正在尝试异步方法。我想使我的一种方法异步,因为它需要一段时间才能完成,所以我尝试了这个方法:
public static async Task GenerateExcelFile(HashSet<string> codes, ContestViewModel model)
{
var totalCodeToDistribute = model.NbrTotalCodes - (model.NbrCodesToPrinter + model.NbrCodesToClientService);
if (model.NbrTotalCodes > 0)
{
using (var package = new ExcelPackage())
{
await DoStuff(some, variables, here);
package.SaveAs(fileInfo);
}
}
}
所以我可以在控制器中这样调用它:
await FilesGenerationUtils.GenerateExcelFile(uniqueCodesHashSet, model);
但是当涉及到“ await”关键字时,它表示“ Type avoid is awaiting”
这是一种等待无效方法的方法,还是不是最佳实践?如果是这样,什么是最好的方法?
编辑: 控制器:
[HttpPost]
[ValidateAntiForgeryToken]
public async Task<IActionResult> Index(ContestViewModel model)
{
var contentRootPath = _hostingEnvironment.ContentRootPath;
DirectoryUtils.OutputDir = new DirectoryInfo(contentRootPath + Path.DirectorySeparatorChar
+ "_CodesUniques" + Path.DirectorySeparatorChar
+ model.ProjectName +
Path.DirectorySeparatorChar
+ "_Codes");
var directory = DirectoryUtils.OutputDir;
var selectedAnswer = model.SelectedAnswer;
var uniqueCodesHashSet = new HashSet<string>();
try
{
while (uniqueCodesHashSet.Count < model.NbrTotalCodes)
{
var generatedString = RandomStringsUtils.Generate(model.AllowedChars, model.UniqueCodeLength);
uniqueCodesHashSet.Add(generatedString.ToUpper());
}
#region FOR TXT FILES
if (selectedAnswer == FileExtension.TXT.GetStringValue())
{
await FilesGenerationUtils.GenerateTxtFiles(uniqueCodesHashSet, model, directory);
}
#endregion
#region FOR XLSX FILES
if (selectedAnswer == FileExtension.XLSX.GetStringValue())
{
await FilesGenerationUtils.GenerateExcelFile(uniqueCodesHashSet, model);
}
#endregion
return View();
}
catch (Exception ex)
{
Console.Write(ex);
}
return View();
}
如果我了解您的意思,那么我必须创建一个可以等待的方法。如果我使用这样的东西,我走对了吗:
public static Task DoStuff(ExcelWorksheet sheet, HashSet<string> codes, int rowIndex, int count, int maxRowValue)
{
foreach (var code in codes)
{
sheet.Row(rowIndex);
sheet.Cells[rowIndex, 1].Value = code;
rowIndex++;
count++;
if (rowIndex == maxRowValue && count < (codes.Count - 1))
{
sheet.InsertColumn(1, 1);
rowIndex = 1;
}
}
//What should be returned?!
return null;
}
答案 0 :(得分:4)
您可以编写异步void方法,但无法等待这些方法:
public static class Program
{
public static async Task Main()
{
const int mainDelayInMs = 500;
AsyncVoidMethod();
await Task.Delay(mainDelayInMs);
Console.WriteLine($"end of {nameof(Main)}");
}
static async void AsyncVoidMethod()
{
await Task.Delay(1000);
Console.WriteLine($"end of {nameof(AsyncVoidMethod)}");
}
}
如您所见,AsyncVoidMethod是异步的,但我不能写await AsyncVoidMethod();
。
(在大多数情况下)不应使用异步void方法,因为您不能等待任务完成,并且可能无法处理引发的任何异常(因此可能会使您的应用程序崩溃):Why exactly is void async bad? >
答案 1 :(得分:3)
假装您的方法在幕后阻塞时,通常没有什么好处或没有好处。如果需要任务,可以将阻塞方法包装在Task.Run中以创建一个等待任务。您仍将使用和阻塞线程,而不是当前线程。
推荐阅读:https://blog.stephencleary.com/2013/11/taskrun-etiquette-examples-using.html