浅谈C#索引器
程序员文章站
2022-03-13 10:52:41
目录一、概要二、应用场景一、概要索引器使你可从语法上方便地创建类、结构或接口,以便客户端应用程序可以像访问数组一样访问它们。编译器将生成一个 item 属性(或者如果存在 indexernameatt...
一、概要
索引器使你可从语法上方便地创建类、结构或接口,以便客户端应用程序可以像访问数组一样访问它们。编译器将生成一个 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#索引器内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!
上一篇: Python 的迭代器与zip详解