Data Types C#

using System;
namespace Nucleo
{
  /// 
  /// Represents a utility to convert text values to boolean.
  /// 

  public static class BooleanUtility
  {
    /// 
    /// Converts a text value to a boolean value.
    /// 

    /// The text to convert.
    /// The boolean value.
    public static bool ConvertToBoolean(string text)
    {
      return ConvertToBoolean(text, false);
    }
    /// 
    /// Converts a text value to a boolean value.
    /// 

    /// The text to convert.
    /// The value that could be used as a default.
    /// The boolean value.
    public static bool ConvertToBoolean(string text, bool defaultValue)
    {
      bool? value = ConvertToNullableBoolean(text);
      if (value.HasValue)
        return value.Value;
      else
        return defaultValue;
    }
    /// 
    /// Converts a text value to a boolean value or null.
    /// 

    /// The text to convert.
    /// The boolean value or null.
    public static bool? ConvertToNullableBoolean(string text)
    {
      if (string.IsNullOrEmpty(text))
        return null;
      switch (text.ToLower())
      {
        case "yes":
          return true;
        case "y":
          return true;
        case "t":
          return true;
        case "true":
          return true;
        case "1":
          return true;
        case "-1":
          return true;
        case "no":
          return false;
        case "n":
          return false;
        case "false":
          return false;
        case "f":
          return false;
        case "0":
          return false;
        case "-0":
          return false;
        default:
          return null;
      }
    }
  }
}