C#索引指示器淺析
C#語言有很多值得學(xué)習(xí)的地方,這里我們主要介紹C#索引指示器,包括介紹C#索引指示器并不難使用。它們的用法跟數(shù)組相同等方面。
C#索引指示器并不難使用。它們的用法跟數(shù)組相同。在一個(gè)類內(nèi)部,你可以按照你的意愿來管理一組數(shù)據(jù)的集合。這些對象可以是類成員的有限集合,也可以是另外一個(gè)數(shù)組,或者是一些復(fù)雜的數(shù)據(jù)結(jié)構(gòu)。不考慮類的內(nèi)部實(shí)現(xiàn),其數(shù)據(jù)可以通過使用C#索引指示器來獲得。
實(shí)現(xiàn)C#索引指示器(indexer)的類可以象數(shù)組那樣使用其實(shí)例后的對象,但與數(shù)組不同的是C#索引指示器的參數(shù)類型不僅限于int。簡單來說,其本質(zhì)就是一個(gè)含參數(shù)屬性:
- using System;
- using System.Collections.Generic;
- using System.Text;
- namespace Example08
- {
- public class Point
- {
- private double x, y;
- public Point(double X, double Y)
- {
- x = X;
- y = Y;
- }
- //重寫ToString方法方便輸出
- public override string ToString()
- {
- return String.Format("X: {0} , Y: {1}", x, y);
- }
- }
- public class Points
- {
- Point[] points;
- public Points(Point[] Points)
- {
- points = Points;
- }
- public int PointNumber
- {
- get
- {
- return points.Length;
- }
- }
- //實(shí)現(xiàn)索引訪問器
- public Point this[int Index]
- {
- get
- {
- return points[Index];
- }
- }
- }
- //感謝watson hua(http://huazhihao.cnblogs.com/)的指點(diǎn)
- //索引指示器的實(shí)質(zhì)是含參屬性,參數(shù)并不只限于int
- class WeatherOfWeek
- {
- public string this[int Index]
- {
- get
- {
- //注意case段使用return直接返回所以不需要break
- switch (Index)
- {
- case 0:
- {
- return "Today is cloudy!";
- }
- case 5:
- {
- return "Today is thundershower!";
- }
- default:
- {
- return "Today is fine!";
- }
- }
- }
- }
- public string this[string Day]
- {
- get
- {
- string TodayWeather = null;
- //switch的標(biāo)準(zhǔn)寫法
- switch (Day)
- {
- case "Sunday":
- {
- TodayWeather = "Today is cloudy!";
- break;
- }
- case "Friday":
- {
- TodayWeather = "Today is thundershower!";
- break;
- }
- default:
- {
- TodayWeather = "Today is fine!";
- break;
- }
- }
- return TodayWeather;
- }
- }
- }
- class Program
- {
- static void Main(string[] args)
- {
- Point[] tmpPoints = new Point[10];
- for (int i = 0; i < tmpPoints.Length; i++)
- {
- tmpPoints[i] = new Point(i, Math.Sin(i));
- }
- Points tmpObj = new Points(tmpPoints);
- for (int i = 0; i < tmpObj.PointNumber; i++)
- {
- Console.WriteLine(tmpObj[i]);
- }
- string[] Week = new string[]
{ "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", "Staurday"};- WeatherOfWeek tmpWeatherOfWeek = new WeatherOfWeek();
- for (int i = 0; i < 6; i++)
- {
- Console.WriteLine(tmpWeatherOfWeek[i]);
- }
- foreach (string tmpDay in Week)
- {
- Console.WriteLine(tmpWeatherOfWeek[tmpDay]);
- }
- Console.ReadLine();
- }
- }
- }
【編輯推薦】