【译】改善结构体相等性性能
程序员文章站
2022-04-08 20:45:47
目录:https://www.cnblogs.com/liqingwen/p/10261436.html 通过重写 Equals 方法可以改善结构体相等比较的性能方法。 如果结构体包含引用类型字段(而不是仅仅只有值类型,如 int)。 默认情况下,结构体的相等性是通过对内存中的两个结构体对象进行逐字 ......
目录:
通过重写 equals 方法可以改善结构体相等比较的性能方法。 如果结构体包含引用类型字段(而不是仅仅只有值类型,如 int)。
默认情况下,结构体的相等性是通过对内存中的两个结构体对象进行逐字节比较来实现并自动确定的,但只有在结构体不包含任何引用类型的情况下。
当结构体包含引用类型字段时, 会使用反射来比较两个结构体对象之间的字段,这种基于反射的方法会导致性能降低。
下图显示了一个仅包含值类型的结构体和另一个包含引用类型的结构体的默认相等性比较的相对性能。
【备注】图表基于执行 10000000 次相等性的性能测试,比较时间以毫秒为单位。这里省略了特定的数字, 以便于将注意力集中在相对差异上。
用于比较的结构体:
struct structwithreftypesnooverriddenequals { public int age { get; set; } public int height { get; set; } public string name { get; set; } } struct structwithnoreftypesnooverriddenequals { public int age { get; set; } public int height { get; set; } }
重写 equals() 来改善性能
如果重写 equals 方法来提供自定义的相等性含义,则会使用重写方法而不是默认(较慢)基于反射的机制:
struct structwithreftypesandoverriddenequals { public int age { get; set; } public int height { get; set; } public string name { get; set; } public override bool equals(object obj) { if (!(obj is structwithreftypesandoverriddenequals)) return false; var other = (structwithreftypesandoverriddenequals)obj; return age == other.age && height == other.height && name == other.name; } // gethashcode override and == != operators omitted }
现在,将 structwithreftypesnooverriddenequals 的性能与 structwithreftypesandoverridequals 的性能进行比较,生成以下结果:
实现重写的 equals 意味着不会使用反射,而是执行自定义的 .equals() 代码来取代原来的方式。
【提示】与性能相关的所有内容都一样,这些性能差异可能与您正在编写的应用程序相关,也可能与您所编写的应用程序无关。
章节:improving struct equality performance
译书名:《c# 奇淫巧技 -- 编写更优雅的 c#》
原书名:《c# tips -- write better c#》
网址:
上一篇: 早上打完卡因为吃饭的人太多
推荐阅读