Minecraft-Console-Client/MinecraftClient/TaskWithResult.cs
BruceChen 1d52d1eadd
Fix all warnings & Trim (#2226)
* Fix AutoFishing crash
* Fix all warnings
* Remove DotNetZip.
* Fix the usage of HttpClient.
2022-10-02 18:31:08 +08:00

122 lines
3.4 KiB
C#

using System;
using System.Threading;
namespace MinecraftClient
{
/// <summary>
/// Holds an asynchronous task with return value
/// </summary>
/// <typeparam name="T">Type of the return value</typeparam>
public class TaskWithResult<T>
{
private readonly AutoResetEvent resultEvent = new(false);
private readonly Func<T> task;
private T? result = default;
private Exception? exception = null;
private bool taskRun = false;
private readonly object taskRunLock = new();
/// <summary>
/// Create a new asynchronous task with return value
/// </summary>
/// <param name="task">Delegate with return value</param>
public TaskWithResult(Func<T> task)
{
this.task = task;
}
/// <summary>
/// Check whether the task has finished running
/// </summary>
public bool HasRun
{
get
{
return taskRun;
}
}
/// <summary>
/// Get the task result (return value of the inner delegate)
/// </summary>
/// <exception cref="System.InvalidOperationException">Thrown if the task is not finished yet</exception>
public T Result
{
get
{
if (taskRun)
return result!;
else
throw new InvalidOperationException("Attempting to retrieve the result of an unfinished task");
}
}
/// <summary>
/// Get the exception thrown by the inner delegate, if any
/// </summary>
public Exception? Exception
{
get
{
return exception;
}
}
/// <summary>
/// Execute the task in the current thread and set the <see cref="Result"/> property or <see cref=""/>to the returned value
/// </summary>
public void ExecuteSynchronously()
{
// Make sur the task will not run twice
lock (taskRunLock)
{
if (taskRun)
{
throw new InvalidOperationException("Attempting to run a task twice");
}
}
// Run the task
try
{
result = task();
}
catch (Exception e)
{
exception = e;
}
// Mark task as complete and release wait event
lock (taskRunLock)
{
taskRun = true;
}
resultEvent.Set();
}
/// <summary>
/// Wait until the task has run from another thread and get the returned value or exception thrown by the task
/// </summary>
/// <returns>Task result once available</returns>
/// <exception cref="System.Exception">Any exception thrown by the task</exception>
public T WaitGetResult()
{
// Wait only if the result is not available yet
bool mustWait = false;
lock (taskRunLock)
{
mustWait = !taskRun;
}
if (mustWait)
{
resultEvent.WaitOne();
}
// Receive exception from task
if (exception != null)
throw exception;
return result!;
}
}
}