Basit Bir Test Framework Gelistirelim 15
2023-05-11
Testlerin belirli bir süre sınırlamasına tabi olması önemlidir. Bazı testlerin beklenenden daha uzun sürmesi veya sonsuz bir döngüye girmesi durumunda, süre sınırlaması olan bir test, bu tür sorunları belirlemeyi ve test sürecini düzgün bir şekilde yönetmeyi kolaylaştırır.
Her test için bir süre sınırlaması ayarlamak için TestRunner
‘ı güncelleyelim:
using System;
using System.Reflection;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using System.Diagnostics;
// ...
public static class TestRunner
{
// ...
private static async Task<(bool, string)> RunTestMethodAsync<T>(T testClassInstance, MethodInfo testMethod, object[] parameters = null)
{
try
{
var stopwatch = Stopwatch.StartNew();
var result = testMethod.Invoke(testClassInstance, parameters);
if (result is Task task)
{
if (await Task.WhenAny(task, Task.Delay(TimeSpan.FromSeconds(5))) == task)
{
// task completed within timeout
await task; // just in case the task is not yet fully complete
}
else
{
// task did not complete within timeout
throw new TimeoutException($"Test '{testMethod.Name}' did not complete within the 5 seconds time limit.");
}
}
stopwatch.Stop();
var message = $"Test '{testMethod.Name}' completed in {stopwatch.ElapsedMilliseconds} ms";
Console.WriteLine(message);
// Test başarılı
return (true, message);
}
catch (Exception ex)
{
// ... önceki kod ...
var message = $"Test '{testMethod.Name}' failed: {ex.Message}";
Console.WriteLine(message);
return (false, message);
}
}
// ...
}
Bu kod örneğinde, RunTestMethodAsync
metodu Task.WhenAny
metodu kullanarak belirli bir süre sınırlaması (bu örnekte 5 saniye) ile asenkron bir test görevini bekler. Eğer test görevi zaman aşımına uğrarsa, bir TimeoutException
oluşturulur ve test başarısız kabul edilir. Bu özellik, testlerin beklenenden daha uzun sürdüğü veya sonsuz döngülere girdiği durumları belirlemeyi ve yönetmeyi kolaylaştırır.
Eğer test metotları asenkron değilse, bu yaklaşım işlemeyecektir. Bu durumda, test metotlarının belirli bir süre limiti içerisinde tamamlanmasını garanti etmek için daha karmaşık bir yaklaşım gerekebilir.