0 votes
in Dot Net by
recategorized by
Indices and ranges in C#.net

1 Answer

0 votes
by

Indices and ranges provide a succinct syntax for accessing single elements or ranges in a sequence.

This language support relies on two new types, and two new operators:

  • System.Index represents an index into a sequence.
  • The index from end operator ^, which specifies that an index is relative to the end of the sequence.
  • System.Range represents a sub range of a sequence.
  • The range operator .., which specifies the start and end of a range as its operands.

Let's start with the rules for indexes. Consider an array sequence. The 0 index is the same as sequence[0]. The ^0 index is the same as sequence[sequence.Length]. Note that sequence[^0] does throw an exception, just as sequence[sequence.Length] does. For any number n, the index ^n is the same as sequence.Length - n.

A range specifies the start and end of a range. The start of the range is inclusive, but the end of the range is exclusive, meaning the start is included in the range but the end isn't included in the range. The range [0..^0] represents the entire range, just as [0..sequence.Length] represents the entire range.

Let's look at a few examples. Consider the following array, annotated with its index from the start and from the end:

var words = new string[]

{

                // index from start    index from end

    "The",      // 0                   ^9

    "quick",    // 1                   ^8

    "brown",    // 2                   ^7

    "fox",      // 3                   ^6

    "jumped",   // 4                   ^5

    "over",     // 5                   ^4

    "the",      // 6                   ^3

    "lazy",     // 7                   ^2

    "dog"       // 8                   ^1

};              // 9 (or words.Length) ^0

You can retrieve the last word with the ^1 index:

Console.WriteLine($"The last word is {words[^1]}");

// writes "dog"

Related questions

0 votes
0 votes
0 votes
asked Feb 10 in Dot Net by DavidAnderson
0 votes
asked Jan 31 in Dot Net by GeorgeBell
...