Basit Bir Test Framework Geliştirelim 3

2023-05-11

Assert sınıfımıza daha fazla method ekleyelim.

using System;

namespace SimpleTestFramework
{
    public class Assert
    {
        public static void Equal(object expected, object actual, string message = null)
        {
            if (!expected.Equals(actual))
            {
                throw new Exception(message ?? $"Expected {expected}, but got {actual}");
            }
        }

        public static void True(bool condition, string message = null)
        {
            if (!condition)
            {
            	throw new Exception(message ?? "Expected condition to be true, but was false.");
            }
        }

        public static void False(bool condition, string message = null)
        {
            if (condition)
            {
                throw new Exception(message ?? "Expected condition to be false, but was true.");
            }
        }

        public static void Equal<T>(T expected, T actual, string message = null)
        {
        	if (!EqualityComparer<T>.Default.Equals(expected, actual))
        	{
            	throw new Exception(message ?? $"Expected values to be equal, but they were not. Expected: {expected}, Actual: {actual}");
        	}
        }

    	public static void NotEqual<T>(T expected, T actual, string message = null)
    	{
        	if (EqualityComparer<T>.Default.Equals(expected, actual))
        	{
            	throw new Exception(message ?? $"Expected values to not be equal, but they were. Value: {expected}");
        	}
    	}

    	public static void Contains<T>(T expectedItem, IEnumerable<T> collection, string message = null)
   	    {
        	if (!collection.Contains(expectedItem))
        	{
            	throw new Exception(message ?? $"Expected collection to contain {expectedItem}, but it did not.");
        	}
    	}

    	public static void DoesNotContain<T>(T unexpectedItem, IEnumerable<T> collection, string message = null)
    	{
        	if (collection.Contains(unexpectedItem))
        	{
            	throw new Exception(message ?? $"Expected collection to not contain {unexpectedItem}, but it did.");
        	}
    	}

    	 public static void IsNull<T>(T obj, string message = null) where T : class
    	{
        	if (obj != null)
        	{
            	throw new Exception(message ?? $"Expected object to be null, but it was not.");
        	}
    	}

    	public static void NotNull<T>(T obj, string message = null) where T : class
    	{
        	if (obj == null)
        	{
            	throw new Exception(message ?? $"Expected object to not be null, but it was.");
        	}
    	}

        public static void IsNull(object obj, string message = null)
        {
            if (obj != null)
            {
                throw new Exception(message ?? "Expected null, but got a value");
            }
        }

        public static void IsNotNull(object obj, string message = null)
        {
            if (obj == null)
            {
                throw new Exception(message ?? "Expected a value, but got null");
            }
        }

        public static void ThrowsException<T>(Action action) where T : Exception
        {
            try
            {
                action();
                throw new Exception($"Expected exception of type {typeof(T).Name}, but no exception was thrown");
            }
            catch (T)
            {
                // Test passed
            }
            catch
            {
                throw new Exception($"Expected exception of type {typeof(T).Name}, but a different exception was thrown");
            }
        }

        public static void All<T>(IEnumerable<T> collection, Predicate<T> condition, string message = null)
    	{
        	if (collection.Any(item => !condition(item)))
        	{
            	throw new Exception(message ?? "Not all items in the collection satisfied the condition.");
        	}
    	}

    	public static void Any<T>(IEnumerable<T> collection, Predicate<T> condition, string message = null)
    	{
        	if (collection.All(item => !condition(item)))
        	{
            	throw new Exception(message ?? "No item in the collection satisfied the condition.");
        	}
    	}

    	public static void Eventually(Func<bool> condition, int timeoutMilliseconds = 1000, string message = null)
    	{
        	var stopTime = DateTime.Now.AddMilliseconds(timeoutMilliseconds);
        	while (DateTime.Now < stopTime)
        	{
            	if (condition())
            	{
                	return;
            	}

            	Thread.Sleep(50);
        	}

        	throw new Exception(message ?? $"Condition was not satisfied within {timeoutMilliseconds} milliseconds.");
    	}
    }
}

Bu methodların her biri, testlerimizde belirli bir durumun doğru olup olmadığını kontrol eder. Örneğin, IsTrue methodu, bir durumun doğru olduğunu kontrol eder. Eğer durum doğru değilse, bir hata fırlatır ve test başarısız olur. Benzer şekilde, ThrowsException methodu, belirli bir türde bir istisna fırlatılıp fırlatılmadığını kontrol eder. Bu, testlerimizde beklenen hataları kontrol etmek için kullanılabilir.



Bu gibi daha fazla gönderi...

SemaphoreSlim Sınıfı: C#'ta Çoklu Görevlere Dayalı Programlama

2023-06-10 | #net #semaphoreslim

Genel Bakış SemaphoreSlim sınıfı, bir veya daha fazla threadin aynı anda belirli bir kaynağı veya işlemi kullanmasını kontrol etmek için C# ‘ta kullanılan bir yapıdır. SemaphoreSlim, aynı anda kaynağa erişebilecek thread sayısını sınırlar. SemaphoreSlim kullanımı, genellikle çok threadli uygulamalarda deadlock durumlarını önlemek ve belirli bir kaynağın aynı anda yalnızca bir veya daha fazla thread tarafından kullanılmasını sağlamak için kullanılır. SemaphoreSlim Kullanımı SemaphoreSlim sınıfı, aşağıdaki gibi kullanılır: SemaphoreSlim semaphoreSlim = new SemaphoreSlim(1, 1); Burada ilk parametre, aynı anda kaç threadin kaynağı kullanabileceğini belirler.

Devamı 


Basit Bir Rest Api Client Geliştirelim 9

2023-05-14 | #diy-rest-api-client #do-it-yourself #net #rest-api

HTTP isteklerini izlemek ve teşhis etmek için daha fazla yetenek ekleyerek, kütüphanemizi daha da geliştirebiliriz. Bu amaçla, isteklerin ve yanıtların bazı temel bilgilerini loga kaydeden bir middleware ekleyelim. Bu özellik, HTTP isteklerinin ve yanıtlarının kaydını tutmak için HttpClient‘in DelegatingHandler sınıfını kullanır. Bu, bir HTTP isteği gönderildiğinde ve bir yanıt alındığında çalışan bir kod parçasıdır. Bu durumda, HTTP isteklerinin ve yanıtlarının bazı temel bilgilerini loga kaydeder. Aşağıda, bu özelliği eklemek için gereken kod parçacığı bulunmaktadır:

Devamı 


Basit Bir Rest Api Client Geliştirelim 8

2023-05-12 | #diy-rest-api-client #do-it-yourself #net #rest-api

Bu noktada, geliştirmemiz gereken bir diğer önemli konu da güvenlikle ilgili olabilir. Özellikle, API çağrıları genellikle belirli bir kimlik doğrulama yöntemi gerektirir. Bunu sağlamak için, HTTP istemcimizi çok kullanılan iki kimlik doğrulama yöntemiyle, yani Basic Authentication ve Bearer (Token) Authentication ile uyumlu hale getirebiliriz. Bu amaçla, istemcimize iki yeni metot ekleyelim: public void SetBasicAuthentication(string username, string password) { var basicAuthValue = Convert.ToBase64String(Encoding.UTF8.GetBytes($"{username}:{password}")); SetDefaultHeader("Authorization", $"Basic {basicAuthValue}"); } public void SetBearerToken(string token) { SetDefaultHeader("Authorization", $"Bearer {token}"); } Bu metodlar, Authorization başlığını ayarlar, böylece her HTTP talebi kimlik doğrulama bilgilerini içerir.

Devamı 