ASP.Net Core中使用枚举类而不是枚举的方法

 更新时间:2021年9月22日 10:01  点击:1415

前言:

我相信大家在编写代码时经常会遇到各种状态值,而且为了避免硬编码和代码中出现魔法数,通常我们都会定义一个枚举,来表示各种状态值,直到我看到Java中这样使用枚举,我再想C# 中可不可以这样写,今天就分享一下我的感悟。

一、通常我们是这样使用枚举的

(1)switch中使用枚举

 public enum EmployeeType
 {
 Manager,
 Servant,
 AssistantToTheRegionalManager
 }

public class Employee
 {
 public EmployeeType Type { get; set; }
 public decimal Bonus { get; set; }
 }

static void ProcessBonus(Employee employee)
 {
  switch (employee.Type)
  {
  case EmployeeType.Manager:
   employee.Bonus = 1000m;
   break;
  case EmployeeType.Servant:
   employee.Bonus = 0.01m;
   break;
  case EmployeeType.AssistantToTheRegionalManager:
   employee.Bonus = 1.0m;
   break;
  default:
   throw new ArgumentOutOfRangeException();
  }
 }

在没有进某唐时我也是这样的写的,代码很烂,违法了开闭原则,扩展性极差。在代码规范中是不允许出现这样的写法的。对于上面的写法可以使用设计模式来重构。后面会继续更新设计模式的文章。

(2)类型转换

EnumTricks.IsVolumeHigh((Volume)27);
EnumTricks.High((int)Medium);

二、枚举的不好之处

关于枚举的MSDN文档说了什么:

“The enum keyword is used to declare an enumeration, a distinct type that consists of a set of named constants called the enumerator list. Every enumeration type has an underlying type, which can be any integral type except char. The default underlying type of the enumeration elements is int. By default, the first enumerator has the value 0, and the value of each successive enumerator is increased by 1.

(1)没有类型安全

枚举是简单的值类型,可以提供对无效值的保护,并且不会出现任何行为。他们是有用的,因为他们是魔法数字的改进,但就是这样。如果要约束类型可能的值,枚举不一定能帮助您,因为仍然可以提供无效类型。例如,此枚举有三个值,默认情况下将具有int类型。值范围为1到3。

 public enum Volume
 {
 Low = 1,
 Medium,
 High
 }

public static class EnumTricks
 {
 public static bool IsVolumeHigh(Volume volume)
 {
  var result = false;

  switch (volume)
  {
  case Volume.Low:
   Console.WriteLine("Volume is low.");
   break;

  case Volume.Medium:
   Console.WriteLine("Volume is medium.");
   break;

  case Volume.High:
   Console.WriteLine("Volume is high.");
   result = true;
   break;
  }

  return result;
 }
 }

static void Main(string[] args)
 {
  EnumTricks.IsVolumeHigh((Volume)27);



  Console.ReadKey();
 }

public static class EnumTricks
 {
 public static bool IsVolumeHigh(Volume volume)
 {
  var result = false;

  switch (volume)
  {
  case Volume.Low:
   Console.WriteLine("Volume is low.");
   break;

  case Volume.Medium:
   Console.WriteLine("Volume is medium.");
   break;

  case Volume.High:
   Console.WriteLine("Volume is high.");
   result = true;
   break;
  }

  return result;
 }

 public static int EnumToInt(Volume volume)
 {
  return (int)volume;
 }

 public static Volume IntToEnum(int intValue)
 {
  return (Volume)intValue;
 }

 public static Volume StringToEnum(string stringValue)
 {
  return (Volume)Enum.Parse(typeof(Volume), stringValue);
 }

 public static int StringToInt(string stringValue)
 {
  var volume = StringToEnum(stringValue);
  return EnumToInt(volume);
 }
 public static string EnumToString(Volume volume)
 {
  return volume.ToString();
 }
 }

这应该失败,至少在运行时。它没有。这真的很奇怪......在编译期间或运行期间都不会检测到错误的调用。你会觉得自己处于一个虚假的安全状态。如果,我们把传进去的枚举转换为string时,来看看这两种情况有什么不同:

我不知道大家平时在使用枚举的时候,是否有意识检查传入的是否是有效的值。可以使用Enum.IsDefined()来检查int值是否是一个有效的值

解决方案:如果int值在枚举值的定义范围内,则使用Enum.IsDefined()查找。如果在范围内,则返回True,否则返回False。

(2)转化

您是否尝试过将enum转换为int,int转换为enum,string转换为enum,将字符串转换为enum的int值?如下代码:

public static class EnumTricks
 {
  public static bool IsVolumeHigh(Volume volume)
  {
   var result = false;

   switch (volume)
   {
    case Volume.Low:
     Console.WriteLine("Volume is low.");
     break;

    case Volume.Medium:
     Console.WriteLine("Volume is medium.");
     break;

    case Volume.High:
     Console.WriteLine("Volume is high.");
     result = true;
     break;
   }

   return result;
  }

  public static int EnumToInt(Volume volume)
  {
   return (int)volume;
  }

  public static Volume IntToEnum(int intValue)
  {
   return (Volume)intValue;
  }

  public static Volume StringToEnum(string stringValue)
  {
   return (Volume)Enum.Parse(typeof(Volume), stringValue);
  }

  public static int StringToInt(string stringValue)
  {
   var volume = StringToEnum(stringValue);
   return EnumToInt(volume);
  }
 }

是不是我们日常的代码中也有这样的类型转换代码,不是说不好,只是类型转换也是有性能损失的,如果能换中方式可以同样实现而且还避免以上问题岂不是更好,这样我们的代码也更好维护和扩展,下面我们通过使用枚举类的方式来解决这个问题。

三、使用枚举类而不是枚举类型

public class Enumeration: IComparable
 {
  private readonly int _value;
  private readonly string _displayName;

  protected Enumeration()
  {
  }

  protected Enumeration(int value, string displayName)
  {
   _value = value;
   _displayName = displayName;
  }

  public int Value
  {
   get { return _value; }
  }

  public string DisplayName
  {
   get { return _displayName; }
  }

  public override string ToString()
  {
   return DisplayName;
  }

  public static IEnumerable<T> GetAll<T>() where T : Enumeration, new()
  {
   var type = typeof(T);
   var fields = type.GetFields(BindingFlags.Public | BindingFlags.Static | BindingFlags.DeclaredOnly);

   foreach (var info in fields)
   {
    var instance = new T();
    var locatedValue = info.GetValue(instance) as T;

    if (locatedValue != null)
    {
     yield return locatedValue;
    }
   }
  }

  public override bool Equals(object obj)
  {
   var otherValue = obj as Enumeration;

   if (otherValue == null)
   {
    return false;
   }

   var typeMatches = GetType().Equals(obj.GetType());
   var valueMatches = _value.Equals(otherValue.Value);

   return typeMatches && valueMatches;
  }

  public override int GetHashCode()
  {
   return _value.GetHashCode();
  }

  public static int AbsoluteDifference(Enumeration firstValue, Enumeration secondValue)
  {
   var absoluteDifference = Math.Abs(firstValue.Value - secondValue.Value);
   return absoluteDifference;
  }

  public static T FromValue<T>(int value) where T : Enumeration, new()
  {
   var matchingItem = parse<T, int>(value, "value", item => item.Value == value);
   return matchingItem;
  }

  public static T FromDisplayName<T>(string displayName) where T : Enumeration, new()
  {
   var matchingItem = parse<T, string>(displayName, "display name", item => item.DisplayName == displayName);
   return matchingItem;
  }

  private static T parse<T, K>(K value, string description, Func<T, bool> predicate) where T : Enumeration, new()
  {
   var matchingItem = GetAll<T>().FirstOrDefault(predicate);

   if (matchingItem == null)
   {
    var message = string.Format("'{0}' is not a valid {1} in {2}", value, description, typeof(T));
    throw new ApplicationException(message);
   }

   return matchingItem;
  }

  public int CompareTo(object other)
  {
   return Value.CompareTo(((Enumeration)other).Value);
  }
 }

public class Volume: Enumeration
 {
  private Volume() { throw new Exception(""); }
  private Volume(int value, string displayName): base(value, displayName) { }


  public static readonly Volume Low = new Volume(1, nameof(Low).ToLowerInvariant());
  public static readonly Volume Medium = new Volume(2, nameof(Medium).ToLowerInvariant());
  public static readonly Volume High = new Volume(3, nameof(High).ToLowerInvariant());


  public static IEnumerable<Volume> List() =>
   new[] { Low, Medium, High };

  public static Volume From(int value)
  {
   var state = List().SingleOrDefault(s => s.Value == value);

   if (state == null)
   {
    throw new Exception($"Possible values for Volume: {String.Join(",", List().Select(s => s.Value))}");
   }

   return state;
  }

  public static Volume FromName(string name)
  {
   var state = List()
    .SingleOrDefault(s => String.Equals(s.DisplayName, name, StringComparison.CurrentCultureIgnoreCase));

   if (state == null)
   {
    throw new Exception($"Possible values for Volume: {String.Join(",", List().Select(s => s.DisplayName))}");
   }

   return state;
  }
 }

static void Main(string[] args)
  {
   //EnumTricks.IsVolumeHigh((Volume)27);

   //var tmp = Enum.IsDefined(typeof(Volume), 3);
   //var str = EnumTricks.EnumToString((Volume)27);
   //var str2 = EnumTricks.EnumToString((Volume)3);


   //Console.WriteLine($"Volume 27:{str}");
   //Console.WriteLine($"Volume 3:{str2}");

   Console.WriteLine("------------------------------------------------------------");
   
   Console.WriteLine(Volume.High.Value);
   Console.WriteLine(Volume.High.DisplayName);

   var volume = Volume.From(2);
   var volume2 = Volume.FromName("high");
   var none = Volume.From(27);

   Console.ReadKey();
  }

四、应用

代码如下:

Error文件下:

public interface ICommonError
 {
  int GetErrCode();
  string GetErrMsg();
  ICommonError SetErrMsg(string errMsg);
 }

public class Enumeration : IComparable
 {
  private readonly int _value;
  private readonly string _displayName;

  protected Enumeration()
  {
  }

  protected Enumeration(int value, string displayName)
  {
   _value = value;
   _displayName = displayName;
  }

  public int Value
  {
   get { return _value; }
  }

  public string DisplayName
  {
   get { return _displayName; }
  }

  public override string ToString()
  {
   return DisplayName;
  }

  public static IEnumerable<T> GetAll<T>() where T : Enumeration, new()
  {
   var type = typeof(T);
   var fields = type.GetFields(BindingFlags.Public | BindingFlags.Static | BindingFlags.DeclaredOnly);

   foreach (var info in fields)
   {
    var instance = new T();
    var locatedValue = info.GetValue(instance) as T;

    if (locatedValue != null)
    {
     yield return locatedValue;
    }
   }
  }

  public override bool Equals(object obj)
  {
   var otherValue = obj as Enumeration;

   if (otherValue == null)
   {
    return false;
   }

   var typeMatches = GetType().Equals(obj.GetType());
   var valueMatches = _value.Equals(otherValue.Value);

   return typeMatches && valueMatches;
  }

  public override int GetHashCode()
  {
   return _value.GetHashCode();
  }

  public static int AbsoluteDifference(Enumeration firstValue, Enumeration secondValue)
  {
   var absoluteDifference = Math.Abs(firstValue.Value - secondValue.Value);
   return absoluteDifference;
  }

  public static T FromValue<T>(int value) where T : Enumeration, new()
  {
   var matchingItem = parse<T, int>(value, "value", item => item.Value == value);
   return matchingItem;
  }

  public static T FromDisplayName<T>(string displayName) where T : Enumeration, new()
  {
   var matchingItem = parse<T, string>(displayName, "display name", item => item.DisplayName == displayName);
   return matchingItem;
  }

  private static T parse<T, K>(K value, string description, Func<T, bool> predicate) where T : Enumeration, new()
  {
   var matchingItem = GetAll<T>().FirstOrDefault(predicate);

   if (matchingItem == null)
   {
    var message = string.Format("'{0}' is not a valid {1} in {2}", value, description, typeof(T));
    throw new ApplicationException(message);
   }

   return matchingItem;
  }

  public int CompareTo(object other)
  {
   return Value.CompareTo(((Enumeration)other).Value);
  }
 }

public class EmBusinessError : Enumeration, ICommonError
 {
  private int errCode;
  private String errMsg;

  public static readonly EmBusinessError parameterValidationError = new EmBusinessError(10001, "参数不合法");

  private EmBusinessError() { throw new Exception("私有构造函数不能调用"); }
  private EmBusinessError(int value, string displayName) : base(value, displayName) {

   this.errCode = value;
   this.errMsg = displayName;
  }
  
  public int GetErrCode()
  {
   return this.errCode;
  }

  public string GetErrMsg()
  {
   return this.errMsg;
  }

  public void SetErrCode(int errCode)
  {
   this.errCode = errCode;
  }

  public ICommonError SetErrMsg(string errMsg)
  {
   this.errMsg = errMsg;

   return this;
  }
 }

//包装器业务异常类实现
 public class BusinessException : Exception, ICommonError
 {
  private ICommonError commonError;

  //直接接收EmBusinessError的传参用于构造业务异常
  public BusinessException(ICommonError commonError):base()
  {
   this.commonError = commonError;
  }
  public BusinessException(ICommonError commonError, string errMsg):base()
  {
   this.commonError = commonError;
   this.commonError.SetErrMsg(errMsg);
  }
  public int GetErrCode()
  {
   return this.commonError.GetErrCode();
  }

  public string GetErrMsg()
  {
   return this.commonError.GetErrMsg();
  }

  public ICommonError SetErrMsg(string errMsg)
  {
   this.commonError.SetErrMsg(errMsg);

   return this;
  }
  public ICommonError GetCommonError()
  {
   return commonError;
  }
 }

异常中间件:

public class ExceptionHandlerMiddleWare
 {
  private readonly RequestDelegate next;
  
  /// <summary>
  /// 
  /// </summary>
  /// <param name="next"></param>
  public ExceptionHandlerMiddleWare(RequestDelegate next)
  {
   this.next = next;
  }

  public async Task Invoke(HttpContext context)
  {
   try
   {
    await next(context);
   }
   catch (Exception ex)
   {
    await HandleExceptionAsync(context, ex);
   }
  }

  private static async Task HandleExceptionAsync(HttpContext context, Exception exception)
  {
   if (exception == null) return;
   await WriteExceptionAsync(context, exception).ConfigureAwait(false);
  }

  private static async Task WriteExceptionAsync(HttpContext context, Exception exception)
  {
   var response = context.Response;
   response.ContentType = "application/json;charset=utf-8";
   var result = new CommonReturnType();
   

   if (exception is BusinessException)
   {
    var businessException = (BusinessException)exception;

    var errModel = new { errCode= businessException.GetErrCode(), errMsg= businessException.GetErrMsg() };

    result = CommonReturnType.Create(errModel, "fail");

    
   }
   

   await response.WriteAsync(JsonConvert.SerializeObject(new { data = result.GetData(), status = result.GetStatus() }) ).ConfigureAwait(false);
  }

 }

Response文件夹:

public class CommonReturnType
 {
  //表明对应请求的返回处理结果 "success" 或 "fail"
  private string status;

  //若status=success,则data内返回前端需要的json数据
  //若status=fail,则data内使用通用的错误码格式
  private object data;

  //定义一个通用的创建方法
  public static CommonReturnType Create(object result)
  {
   return CommonReturnType.Create(result, "success");
  }
  
  public static CommonReturnType Create(object result, string status)
  {
   CommonReturnType type = new CommonReturnType();
   type.SetStatus(status);
   type.SetData(result);

   return type;
  }

  public string GetStatus()
  {
   return status;
  }

  public void SetStatus(string status)
  {
   this.status = status;
  }

  public object GetData()
  {
   return data;
  }

  public void SetData(object data)
  {
   this.data = data;
  }
 }

最后推荐一个类库,这是我在Nuget上发现的枚举类库,地址:https://github.com/ardalis/SmartEnum

好了,先分享到这里,希望对你有帮助和启发。

参考资料:

(1)https://docs.microsoft.com/zh-cn/dotnet/standard/microservices-architecture/microservice-ddd-cqrs-patterns/enumeration-classes-over-enum-types

(2)https://ardalis.com/enum-alternatives-in-c

总结

以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,谢谢大家对猪先飞的支持。

[!--infotagslink--]

相关文章

  • ASP.NET购物车实现过程详解

    这篇文章主要为大家详细介绍了ASP.NET购物车的实现过程,文中示例代码介绍的非常详细,具有一定的参考价值,感兴趣的小伙伴们可以参考一下...2021-09-22
  • .NET Core下使用Kafka的方法步骤

    这篇文章主要介绍了.NET Core下使用Kafka的方法步骤,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧...2021-09-22
  • 在ASP.NET 2.0中操作数据之七十二:调试存储过程

    在开发过程中,使用Visual Studio的断点调试功能可以很方便帮我们调试发现程序存在的错误,同样Visual Studio也支持对SQL Server里面的存储过程进行调试,下面就让我们看看具体的调试方法。...2021-09-22
  • 详解.NET Core 3.0 里新的JSON API

    这篇文章主要介绍了详解.NET Core 3.0 里新的JSON API,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧...2021-09-22
  • ASP.NET Core根据环境变量支持多个 appsettings.json配置文件

    这篇文章主要介绍了ASP.NET Core根据环境变量支持多个 appsettings.json配置文件,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧...2021-09-22
  • 记一次EFCore类型转换错误及解决方案

    这篇文章主要介绍了记一次EFCore类型转换错误及解决方案,帮助大家更好的理解和学习使用asp.net core,感兴趣的朋友可以了解下...2021-09-22
  • 详解ASP.NET Core 中基于工厂的中间件激活的实现方法

    这篇文章主要介绍了ASP.NET Core 中基于工厂的中间件激活的实现方法,本文给大家介绍的非常详细,对大家的学习或工作具有一定的参考借鉴价值,需要的朋友可以参考下...2021-09-22
  • asp.net通过消息队列处理高并发请求(以抢小米手机为例)

    这篇文章主要介绍了asp.net通过消息队列处理高并发请求(以抢小米手机为例),文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧...2021-09-22
  • Underscore源码分析

    Underscore 是一个 JavaScript 工具库,它提供了一整套函数式编程的实用功能,但是没有扩展任何 JavaScript 内置对象。这篇文章主要介绍了underscore源码分析相关知识,感兴趣的朋友一起学习吧...2016-01-02
  • ASP.NET 2.0中的数据操作:使用两个DropDownList过滤的主/从报表

    在前面的指南中我们研究了如何显示一个简单的主/从报表, 该报表使用DropDownList和GridView控件, DropDownList填充类别,GridView显示选定类别的产品. 这类报表用于显示具有...2016-05-19
  • ASP.NET单选按钮控件RadioButton常用属性和方法介绍

    RadioButton又称单选按钮,其在工具箱中的图标为 ,单选按钮通常成组出现,用于提供两个或多个互斥选项,即在一组单选钮中只能选择一个...2021-09-22
  • 详解.NET Core 使用HttpClient SSL请求出错的解决办法

    这篇文章主要介绍了.NET Core 使用HttpClient SSL请求出错的解决办法,小编觉得挺不错的,现在分享给大家,也给大家做个参考。一起跟随小编过来看看吧...2021-09-22
  • ASP.NET中iframe框架点击左边页面链接 右边显示链接页面内容

    这篇文章主要介绍了ASP.NET中iframe框架点击左边页面链接,右边显示链接页面内容的实现代码,感兴趣的小伙伴们可以参考一下...2021-09-22
  • 创建一个完整的ASP.NET Web API项目

    ASP.NET Web API具有与ASP.NET MVC类似的编程方式,ASP.NET Web API不仅仅具有一个完全独立的消息处理管道,而且这个管道比为ASP.NET MVC设计的管道更为复杂,功能也更为强大。下面创建一个简单的Web API项目,需要的朋友可以参考下...2021-09-22
  • ASP.NET连接MySql数据库的2个方法及示例

    这篇文章主要介绍了ASP.NET连接MySql数据库的2个方法及示例,使用的是MySQL官方组件和ODBC.NET,需要的朋友可以参考下...2021-09-22
  • Asp.Net使用Bulk实现批量插入数据

    这篇文章主要介绍了Asp.Net使用Bulk实现批量插入数据的方法,对于进行asp.net数据库程序设计非常有借鉴价值,需要的朋友可以参考下...2021-09-22
  • 在ASP.NET 2.0中操作数据之二十九:用DataList和Repeater来显示数据

    本文主要讲解ASP.NET 2.0中如何使用DataList 和 Repeater 来呈现数据,DataList包含一个table标记,而Repeater不会添加任何额外的代码,个人在实际开发中更推荐使用Repeater。...2021-09-22
  • Asp.net中获取DataTable选择第一行某一列值

    这篇文章主要介绍了获取DataTable选择第一行某一列值,需要的朋友可以参考下...2021-09-22
  • Asp.net动态生成html页面的方法分享

    这篇文章介绍了Asp.net动态生成html页面的方法,有需要的朋友可以参考一下...2021-09-22
  • ASP.Net中的async+await异步编程的实现

    这篇文章主要介绍了ASP.Net中的async+await异步编程的实现,文中通过示例代码介绍的非常详细,对大家的学习或者工作具有一定的参考学习价值,需要的朋友们下面随着小编来一起学习学习吧...2021-09-22