...

/

External Dependencies and Their Challenges

External Dependencies and Their Challenges

Learn what dependencies are and why they are a challenge to unit testing.

Introduction

A dependency is a class or object that another class or object relies on. In object-oriented languages, the application code consists of classes where some classes rely on other classes. In this context, relying means that one class is referenced in the other class code. It could be included in any of its method parameters, its method return types, or even in any of its method implementations. This concept is shown below where Class A depends on Class B. In this context, Class B is a dependency.

Dependency example

The example below further demonstrates the simple concept of dependency. Suppose we have a BankAccount class that contains an Amount field. The Withdraw and Deposit methods allow for withdrawing and depositing funds to and from the bank account. This class is designed to enable withdrawals on weekdays only. To achieve this business rule, the DayChecker class is used, which returns whether the transaction date is on a weekday.

Press + to interact
public class BankAccount
{
public decimal Amount { get; set; }
public void Withdraw(decimal withdrawAmount)
{
DayChecker dayChecker = new DayChecker();
if (Amount > 0 && !dayChecker.IsWeekend())
{
Amount -= withdrawAmount;
}
return;
}
public void Deposit(decimal depositAmount)
{
Amount += depositAmount;
return;
}
}

The dependency DayChecker class is shown below:

Press + to interact
public class DayChecker
{
public bool IsWeekend()
{
if ((DateTime.Now.DayOfWeek == DayOfWeek.Saturday) || (DateTime.Now.DayOfWeek == DayOfWeek.Sunday))
{
return true;
}
return false;
}
}

In the example shown above, the ...