浅谈C#索引器
一、概要
索引器使你可从语法上方便地创建类、结构或接口,以便客户端应用程序可以像访问数组一样访问它们。编译器将生成一个 Item 属性(或者如果存在 IndexerNameAttribute
,也可以生成一个命名属性)和适当的访问器方法。在主要目标是封装内部集合或数组的类型中,常常要实现索引器。例如,假设有一个类 TempRecord
,它表示 24 小时的周期内在 10 个不同时间点所记录的温度(单位为华氏度)。此类包含一个 float[]
类型的数组 temps
,用于存储温度值。通过在此类中实现索引器,客户端可采用 float temp = tempRecord[4]
的形式(而非 float temp = tempRecord.temps[4]
)访问 TempRecord
实例中的温度。索引器表示法不但简化了客户端应用程序的语法;还使类及其目标更容易直观地为其它开发者所理解。
语法声明:
public int this[int param] { get { return array[param]; } set { array[param] = value; } }
二、应用场景
这里分享一下设计封装的角度使用索引器,场景是封装一个redis
的helper
类。在此之前我们先看一个简单的官方示例。
using System; class SampleCollection<T> { // Declare an array to store the data elements. private T[] arr = new T[100]; // Define the indexer to allow client code to use [] notation. public T this[int i] { get { return arr[i]; } set { arr[i] = value; } } } class Program { static void Main() { var stringCollection = new SampleCollection<string>(); stringCollection[0] = "Hello, World"; Console.WriteLine(stringCollection[0]); } } // The example displays the following output: // Hello, World.
RedisHelper
类的封装(伪代码),这样用的好处是不用在需要设置redis
的db
号而大费周章。
public class RedisHelper { private static readonly object _lockObj = new object(); private static RedisHelper _instance; private int dbNum; private RedisHelper() { } public static RedisHelper Instance { get { if (_instance == null) { lock (_lockObj) { if (_instance == null) { _instance = new RedisHelper(); } } } return _instance; } } public RedisHelper this[int dbid] { get { dbNum = dbid; return this; } } public void StringSet(string content) { Console.WriteLine($"StringSet to redis db { dbNum }, input{ content }."); } }
调用:
RedisHelper.Instance[123].StringSet("测试数据");
运行效果:
到此这篇关于浅谈C#索引器的文章就介绍到这了,更多相关C#索引器内容请搜索脚本之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持脚本之家!
相关文章
Visual Studio 未能加载各种Package包的解决方案
打开Visual Studio 的时候,总提示未能加载相应的Package包,有时候还无法打开项目,各种错误提示,怎么解决呢?下面小编给大家带来了Visual Studio 未能加载各种Package包的解决方案,一起看看吧2016-10-10C# WinForm控件对透明图片重叠时出现图片不透明的简单解决方法
这篇文章主要介绍了C# WinForm控件对透明图片重叠时出现图片不透明的简单解决方法,结合实例形式分析了WinForm图片重叠后造成图片不透明的原因与相应的解决方法,需要的朋友可以参考下2016-06-06C#的path.GetFullPath 获取上级目录实现方法
这篇文章主要介绍了C#的path.GetFullPath 获取上级目录实现方法,包含了具体的C#实现方法以及ASP.net与ASP等的方法对比,非常具有实用价值,需要的朋友可以参考下2014-10-10关于Unity C# Mathf.Abs()取绝对值性能测试详解
这篇文章主要给大家介绍了关于Unity C# Mathf.Abs()取绝对值性能测试的相关资料,文中通过示例代码介绍的非常详细,对大家学习或者使用Unity C#具有一定的参考学习价值,需要的朋友们下面来一起学习学习吧2019-04-04
最新评论