//Define the Pattern Interface and Handler Objects.

//Define the IState interface to be used as the "blueprint" for the main State classes.
public interface IState
{
void Deposit(Context context, double amount);

bool Withdraw(Context context, double amount);

bool PayInterest(Context context);
}

//The RedState class (object) represents one particular state.
public class RedState : IState
{
public void Deposit(Context context, double amount)
{
context.Balance += amount;
if (context.Balance > 0)
{
context.State = new SilverState();
}
}

public bool Withdraw(Context context, double amount)
{
context.Balance -= 15.00;
Console.WriteLine("No funds available for withdrawal!\n");
return (false);
}

public bool PayInterest(Context context)
{
Console.WriteLine("No interest paid!\n");
return (false);
}
}

//The SilverState class (object) represents another available state, and is able to update the State object as required.
public class SilverState : IState
{
public void Deposit(Context context, double amount)
{
context.Balance += amount;
UpdateState(context);
}

public bool Withdraw(Context context, double amount)
{
context.Balance -= amount;
UpdateState(context);
return (true);
}

public bool PayInterest(Context context)
{
Console.WriteLine("No interest paid!\n");
return (false);
}

private void UpdateState(Context context)
{
if (context.Balance < 0)
{
context.State = new RedState();
}
else if (context.Balance > 1000)
{
context.State = new GoldState();
}
}
}

//The GoldState class (object) represents another available state, and is able to update the State object as required.
public class GoldState : IState
{
public void Deposit(Context context, double amount)
{
context.Balance += amount;
UpdateState(context);
}

public bool Withdraw(Context context, double amount)
{
context.Balance -= amount;
UpdateState(context);
return (true);
}

public bool PayInterest(Context context)
{
context.Balance *= 1.05;
UpdateState(context);
return (true);
}

private void UpdateState(Context context)
{
if (context.Balance < 0)
{
context.State = new RedState();
}
else if (context.Balance < 1000)
{
context.State = new SilverState();
}
}
}